文章结构

  1. 获取对应的handler
  2. 获取对应的handlerAdapter
  3. 调用handle
  4. 执行拦截器
  5. 处理返回结果

类的背景

Servlet规范Tomcat做了实现,Tomcat下的javax.servlet包下的类是对Tomcat的Servlet规范的实现,jdk1.8中没有Servlet类

image.png
image.png
父类的FrameworkServlet重写了HttpServletdoPost()doGet()方法

HandlerMapping的继承关系图
image.png
DispatchServlet调用关系图:
FrameworkServlet.processRequest()
->DispatcherServlet.doService()
->DispatcherServlet.doDispatch()
->DispatcherServlet.getHandler()
->具体HandlerMapping的.getHandlerInternal() (以AbstractUrlHandlerMapping为例)
->lookupHandler()
->buildPathExposingHandler()
->DispatcherServlet.getHandlerAdapter()
->具体的HandlerAdapter的.supports() (以SimpleControllerHandlerAdapterl为例)
->handle()
->AbstractController.handleRequest()
->DispatcherServlet.processDispatchResult()
->DispatcherServlet.render()
->具体View视图的render()

在上篇文章SpringMVC源码解析(一)中,我们搭建了一个SpringBoot的启动demo,分析了SpringBoot中SpringMVC的自动配置原理以及DispatcherServlet的初始化流程。本篇文章就分析一次请求在SpringMVC中的处理流程

在日常开发中,我们最常用的请求方式大概就是Get和Post了,Tomcat或者Jetty等web服务器在接受到请求后会调用到DispatcherServlet对应的方法

  1. @Override
  2. protected final void doGet(HttpServletRequest request, HttpServletResponse response)
  3. throws ServletException, IOException {
  4. processRequest(request, response);
  5. }
  6. @Override
  7. protected final void doPost(HttpServletRequest request, HttpServletResponse response)
  8. throws ServletException, IOException {
  9. processRequest(request, response);
  10. }

可以看到其实最终都是调用的同一个方法

  1. protected final void processRequest(HttpServletRequest request, HttpServletResponse response)
  2. throws ServletException, IOException {
  3. //记录开始时间
  4. long startTime = System.currentTimeMillis();
  5. Throwable failureCause = null;
  6. //记录当前线程的信息
  7. LocaleContext previousLocaleContext = LocaleContextHolder.getLocaleContext();
  8. LocaleContext localeContext = buildLocaleContext(request);
  9. RequestAttributes previousAttributes = RequestContextHolder.getRequestAttributes();
  10. ServletRequestAttributes requestAttributes = buildRequestAttributes(request, response, previousAttributes);
  11. WebAsyncManager asyncManager = WebAsyncUtils.getAsyncManager(request);
  12. asyncManager.registerCallableInterceptor(FrameworkServlet.class.getName(), new RequestBindingInterceptor());
  13. initContextHolders(request, localeContext, requestAttributes);
  14. try {
  15. //核心处理,往下看
  16. doService(request, response);
  17. }
  18. catch (ServletException | IOException ex) {
  19. failureCause = ex;
  20. throw ex;
  21. }
  22. catch (Throwable ex) {
  23. failureCause = ex;
  24. throw new NestedServletException("Request processing failed", ex);
  25. }
  26. finally {//清除线程绑定信息
  27. resetContextHolders(request, previousLocaleContext, previousAttributes);
  28. if (requestAttributes != null) {
  29. requestAttributes.requestCompleted();
  30. }
  31. if (logger.isDebugEnabled()) {
  32. if (failureCause != null) {
  33. this.logger.debug("Could not complete request", failureCause);
  34. }
  35. else {
  36. if (asyncManager.isConcurrentHandlingStarted()) {
  37. logger.debug("Leaving response open for concurrent processing");
  38. }
  39. else {
  40. this.logger.debug("Successfully completed request");
  41. }
  42. }
  43. }
  44. //发送事件通知
  45. publishRequestHandledEvent(request, response, startTime, failureCause);
  46. }
  47. }
  48. protected void doService(HttpServletRequest request, HttpServletResponse response) throws Exception {
  49. if (logger.isDebugEnabled()) {
  50. String resumed = WebAsyncUtils.getAsyncManager(request).hasConcurrentResult() ? " resumed" : "";
  51. logger.debug("DispatcherServlet with name '" + getServletName() + "'" + resumed +
  52. " processing " + request.getMethod() + " request for [" + getRequestUri(request) + "]");
  53. }
  54. // Keep a snapshot of the request attributes in case of an include,
  55. // to be able to restore the original attributes after the include.
  56. Map<String, Object> attributesSnapshot = null;
  57. if (WebUtils.isIncludeRequest(request)) {
  58. attributesSnapshot = new HashMap<>();
  59. Enumeration<?> attrNames = request.getAttributeNames();
  60. while (attrNames.hasMoreElements()) {
  61. String attrName = (String) attrNames.nextElement();
  62. if (this.cleanupAfterInclude || attrName.startsWith(DEFAULT_STRATEGIES_PREFIX)) {
  63. attributesSnapshot.put(attrName, request.getAttribute(attrName));
  64. }
  65. }
  66. }
  67. // Make framework objects available to handlers and view objects.
  68. request.setAttribute(WEB_APPLICATION_CONTEXT_ATTRIBUTE, getWebApplicationContext());
  69. request.setAttribute(LOCALE_RESOLVER_ATTRIBUTE, this.localeResolver);
  70. request.setAttribute(THEME_RESOLVER_ATTRIBUTE, this.themeResolver);
  71. request.setAttribute(THEME_SOURCE_ATTRIBUTE, getThemeSource());
  72. if (this.flashMapManager != null) {
  73. FlashMap inputFlashMap = this.flashMapManager.retrieveAndUpdate(request, response);
  74. if (inputFlashMap != null) {
  75. request.setAttribute(INPUT_FLASH_MAP_ATTRIBUTE, Collections.unmodifiableMap(inputFlashMap));
  76. }
  77. request.setAttribute(OUTPUT_FLASH_MAP_ATTRIBUTE, new FlashMap());
  78. request.setAttribute(FLASH_MAP_MANAGER_ATTRIBUTE, this.flashMapManager);
  79. }
  80. try {
  81. doDispatch(request, response);
  82. }
  83. finally {
  84. if (!WebAsyncUtils.getAsyncManager(request).isConcurrentHandlingStarted()) {
  85. // Restore the original attribute snapshot, in case of an include.
  86. if (attributesSnapshot != null) {
  87. restoreAttributesAfterInclude(request, attributesSnapshot);
  88. }
  89. }
  90. }
  91. }

可以看到上方的大段代码都是做的一些准备工作,具体的逻辑接着往下看吧,这个核心流程都在下面这个方法里了

doDispatch

  1. protected void doDispatch(HttpServletRequest request, HttpServletResponse response) throws Exception {
  2. HttpServletRequest processedRequest = request;
  3. HandlerExecutionChain mappedHandler = null;
  4. boolean multipartRequestParsed = false;
  5. WebAsyncManager asyncManager = WebAsyncUtils.getAsyncManager(request);
  6. try {
  7. ModelAndView mv = null;
  8. Exception dispatchException = null;
  9. try {
  10. //如果是文件上传请求则进行特殊处理
  11. processedRequest = checkMultipart(request);
  12. multipartRequestParsed = (processedRequest != request);
  13. // 1.获取对应的handler
  14. mappedHandler = getHandler(processedRequest);
  15. if (mappedHandler == null) {
  16. //如果没有获取到对应的handler则往response中写入错误信息
  17. noHandlerFound(processedRequest, response);
  18. return;
  19. }
  20. // 2. 获取对应的handlerAdapter
  21. HandlerAdapter ha = getHandlerAdapter(mappedHandler.getHandler());
  22. // 处理last-modified情况
  23. String method = request.getMethod();
  24. boolean isGet = "GET".equals(method);
  25. if (isGet || "HEAD".equals(method)) {
  26. long lastModified = ha.getLastModified(request, mappedHandler.getHandler());
  27. if (logger.isDebugEnabled()) {
  28. logger.debug("Last-Modified value for [" + getRequestUri(request) + "] is: " + lastModified);
  29. }
  30. if (new ServletWebRequest(request, response).checkNotModified(lastModified) && isGet) {
  31. return;
  32. }
  33. }
  34. if (!mappedHandler.applyPreHandle(processedRequest, response)) {
  35. return;
  36. }
  37. // 3.调用handle
  38. mv = ha.handle(processedRequest, response, mappedHandler.getHandler());
  39. if (asyncManager.isConcurrentHandlingStarted()) {
  40. return;
  41. }
  42. //如果函数调用没有返回视图则使用默认的
  43. applyDefaultViewName(processedRequest, mv);
  44. //执行拦截器
  45. mappedHandler.applyPostHandle(processedRequest, response, mv);
  46. }
  47. catch (Exception ex) {
  48. dispatchException = ex;
  49. }
  50. catch (Throwable err) {
  51. // As of 4.3, we're processing Errors thrown from handler methods as well,
  52. // making them available for @ExceptionHandler methods and other scenarios.
  53. dispatchException = new NestedServletException("Handler dispatch failed", err);
  54. }
  55. //4. 处理返回结果
  56. processDispatchResult(processedRequest, response, mappedHandler, mv, dispatchException);
  57. }
  58. catch (Exception ex) {
  59. triggerAfterCompletion(processedRequest, response, mappedHandler, ex);
  60. }
  61. catch (Throwable err) {
  62. triggerAfterCompletion(processedRequest, response, mappedHandler,
  63. new NestedServletException("Handler processing failed", err));
  64. }
  65. finally {
  66. if (asyncManager.isConcurrentHandlingStarted()) {
  67. // Instead of postHandle and afterCompletion
  68. if (mappedHandler != null) {
  69. mappedHandler.applyAfterConcurrentHandlingStarted(processedRequest, response);
  70. }
  71. }
  72. else {
  73. // Clean up any resources used by a multipart request.
  74. if (multipartRequestParsed) {
  75. cleanupMultipart(processedRequest);
  76. }
  77. }
  78. }
  79. }

1. 获取handler

  1. protected HandlerExecutionChain getHandler(HttpServletRequest request) throws Exception {
  2. if (this.handlerMappings != null) {
  3. //遍历所有的handlerMapping,这里的handlemapping就是初始化阶段构造的三个
  4. for (HandlerMapping hm : this.handlerMappings) {
  5. if (logger.isTraceEnabled()) {
  6. logger.trace(
  7. "Testing handler map [" + hm + "] in DispatcherServlet with name '" + getServletName() + "'");
  8. }
  9. //这里调用具体的handler,哪个handler能够处理就直接返回
  10. HandlerExecutionChain handler = hm.getHandler(request);
  11. if (handler != null) {
  12. return handler;
  13. }
  14. }
  15. }
  16. return null;
  17. }
  18. public final HandlerExecutionChain getHandler(HttpServletRequest request) throws Exception {
  19. //1. 调用具体的实现去获取handler
  20. Object handler = getHandlerInternal(request);
  21. //如果为空使用默认的
  22. if (handler == null) {
  23. handler = getDefaultHandler();
  24. }
  25. //没有默认的返回空
  26. if (handler == null) {
  27. return null;
  28. }
  29. // 尝试通过BeanName去获取handler
  30. if (handler instanceof String) {
  31. String handlerName = (String) handler;
  32. handler = obtainApplicationContext().getBean(handlerName);
  33. }
  34. //2. 获取handler执行链
  35. HandlerExecutionChain executionChain = getHandlerExecutionChain(handler, request);
  36. if (CorsUtils.isCorsRequest(request)) {
  37. CorsConfiguration globalConfig = this.globalCorsConfigSource.getCorsConfiguration(request);
  38. CorsConfiguration handlerConfig = getCorsConfiguration(handler, request);
  39. CorsConfiguration config = (globalConfig != null ? globalConfig.combine(handlerConfig) : handlerConfig);
  40. executionChain = getCorsHandlerExecutionChain(request, executionChain, config);
  41. }
  42. return executionChain;
  43. }

1. 获取具体的handler

这里以AbstractUrlHandlerMapping为例解读一下,顾明思议,这个类是根据请求url获取响应的handler的

  1. protected Object getHandlerInternal(HttpServletRequest request) throws Exception {
  2. //截取url
  3. String lookupPath = getUrlPathHelper().getLookupPathForRequest(request);
  4. //根据url寻找handler
  5. Object handler = lookupHandler(lookupPath, request);
  6. if (handler == null) {
  7. // 如果请求路径为/则使用RootHandler
  8. Object rawHandler = null;
  9. if ("/".equals(lookupPath)) {
  10. rawHandler = getRootHandler();
  11. }
  12. if (rawHandler == null) {
  13. //使用默认
  14. rawHandler = getDefaultHandler();
  15. }
  16. if (rawHandler != null) {
  17. // 根据beanName尝试获取Handler
  18. if (rawHandler instanceof String) {
  19. String handlerName = (String) rawHandler;
  20. rawHandler = obtainApplicationContext().getBean(handlerName);
  21. }//校验
  22. validateHandler(rawHandler, request);
  23. handler = buildPathExposingHandler(rawHandler, lookupPath, lookupPath, null);
  24. }
  25. }
  26. if (handler != null && logger.isDebugEnabled()) {
  27. logger.debug("Mapping [" + lookupPath + "] to " + handler);
  28. }
  29. else if (handler == null && logger.isTraceEnabled()) {
  30. logger.trace("No handler mapping found for [" + lookupPath + "]");
  31. }
  32. return handler;
  33. }
  34. protected Object lookupHandler(String urlPath, HttpServletRequest request) throws Exception {
  35. // 直接根据url匹配
  36. Object handler = this.handlerMap.get(urlPath);
  37. if (handler != null) {
  38. // Bean name or resolved handler?
  39. if (handler instanceof String) {
  40. String handlerName = (String) handler;
  41. handler = obtainApplicationContext().getBean(handlerName);
  42. }
  43. validateHandler(handler, request);
  44. //封装执行链
  45. return buildPathExposingHandler(handler, urlPath, urlPath, null);
  46. }
  47. // 正则匹配
  48. List<String> matchingPatterns = new ArrayList<>();
  49. for (String registeredPattern : this.handlerMap.keySet()) {
  50. if (getPathMatcher().match(registeredPattern, urlPath)) {
  51. matchingPatterns.add(registeredPattern);
  52. }
  53. else if (useTrailingSlashMatch()) {
  54. if (!registeredPattern.endsWith("/") && getPathMatcher().match(registeredPattern + "/", urlPath)) {
  55. matchingPatterns.add(registeredPattern +"/");
  56. }
  57. }
  58. }
  59. String bestMatch = null;
  60. Comparator<String> patternComparator = getPathMatcher().getPatternComparator(urlPath);
  61. if (!matchingPatterns.isEmpty()) {
  62. matchingPatterns.sort(patternComparator);
  63. if (logger.isDebugEnabled()) {
  64. logger.debug("Matching patterns for request [" + urlPath + "] are " + matchingPatterns);
  65. }
  66. bestMatch = matchingPatterns.get(0);
  67. }
  68. if (bestMatch != null) {
  69. handler = this.handlerMap.get(bestMatch);
  70. if (handler == null) {
  71. if (bestMatch.endsWith("/")) {
  72. handler = this.handlerMap.get(bestMatch.substring(0, bestMatch.length() - 1));
  73. }
  74. if (handler == null) {
  75. throw new IllegalStateException(
  76. "Could not find handler for best pattern match [" + bestMatch + "]");
  77. }
  78. }
  79. // Bean name or resolved handler?
  80. if (handler instanceof String) {
  81. String handlerName = (String) handler;
  82. handler = obtainApplicationContext().getBean(handlerName);
  83. }
  84. validateHandler(handler, request);
  85. String pathWithinMapping = getPathMatcher().extractPathWithinPattern(bestMatch, urlPath);
  86. // There might be multiple 'best patterns', let's make sure we have the correct URI template variables
  87. // for all of them
  88. Map<String, String> uriTemplateVariables = new LinkedHashMap<>();
  89. for (String matchingPattern : matchingPatterns) {
  90. if (patternComparator.compare(bestMatch, matchingPattern) == 0) {
  91. Map<String, String> vars = getPathMatcher().extractUriTemplateVariables(matchingPattern, urlPath);
  92. Map<String, String> decodedVars = getUrlPathHelper().decodePathVariables(request, vars);
  93. uriTemplateVariables.putAll(decodedVars);
  94. }
  95. }
  96. if (logger.isDebugEnabled()) {
  97. logger.debug("URI Template variables for request [" + urlPath + "] are " + uriTemplateVariables);
  98. }
  99. return buildPathExposingHandler(handler, bestMatch, pathWithinMapping, uriTemplateVariables);
  100. }
  101. // No handler found...
  102. return null;
  103. }

2. 封装执行链

当获取到相应的handler后,查看是否存在拦截器,如果存在的话则加入执行链中

  1. protected Object buildPathExposingHandler(Object rawHandler, String bestMatchingPattern,
  2. String pathWithinMapping, @Nullable Map<String, String> uriTemplateVariables) {
  3. HandlerExecutionChain chain = new HandlerExecutionChain(rawHandler);
  4. chain.addInterceptor(new PathExposingHandlerInterceptor(bestMatchingPattern, pathWithinMapping));
  5. if (!CollectionUtils.isEmpty(uriTemplateVariables)) {
  6. chain.addInterceptor(new UriTemplateVariablesHandlerInterceptor(uriTemplateVariables));
  7. }
  8. return chain;
  9. }

2. 获取handlerAdpter

根据handler获取匹配的handlerAdpter

  1. protected HandlerAdapter getHandlerAdapter(Object handler) throws ServletException {
  2. if (this.handlerAdapters != null) {
  3. for (HandlerAdapter ha : this.handlerAdapters) {
  4. if (logger.isTraceEnabled()) {
  5. logger.trace("Testing handler adapter [" + ha + "]");
  6. }
  7. //不同的handlerAdapter的判断方法不同
  8. if (ha.supports(handler)) {
  9. return ha;
  10. }
  11. }
  12. }
  13. throw new ServletException("No adapter for handler [" + handler +
  14. "]: The DispatcherServlet configuration needs to include a HandlerAdapter that supports this handler");
  15. }
  16. SimpleControllerHandlerAdapter为例,判断是否实现Controller接口
  17. public boolean supports(Object handler) {
  18. return (handler instanceof Controller);
  19. }

3. 执行请求

  1. public ModelAndView handle(HttpServletRequest request, HttpServletResponse response, Object handler)
  2. throws Exception {
  3. return ((Controller) handler).handleRequest(request, response);
  4. }
  5. public ModelAndView handleRequest(HttpServletRequest request, HttpServletResponse response)
  6. throws Exception {
  7. if (HttpMethod.OPTIONS.matches(request.getMethod())) {
  8. response.setHeader("Allow", getAllowHeader());
  9. return null;
  10. }
  11. // Delegate to WebContentGenerator for checking and preparing.
  12. checkRequest(request);
  13. prepareResponse(response);
  14. // 如果需要同步session
  15. if (this.synchronizeOnSession) {
  16. HttpSession session = request.getSession(false);
  17. if (session != null) {
  18. Object mutex = WebUtils.getSessionMutex(session);
  19. synchronized (mutex) {
  20. return handleRequestInternal(request, response);
  21. }
  22. }
  23. }
  24. 调用Controller方法
  25. return handleRequestInternal(request, response);
  26. }

4.处理返回结果

  1. private void processDispatchResult(HttpServletRequest request, HttpServletResponse response,
  2. @Nullable HandlerExecutionChain mappedHandler, @Nullable ModelAndView mv,
  3. @Nullable Exception exception) throws Exception {
  4. boolean errorView = false;
  5. //是否包含异常信息
  6. if (exception != null) {
  7. if (exception instanceof ModelAndViewDefiningException) {
  8. logger.debug("ModelAndViewDefiningException encountered", exception);
  9. mv = ((ModelAndViewDefiningException) exception).getModelAndView();
  10. }
  11. else {//异常视图处理
  12. Object handler = (mappedHandler != null ? mappedHandler.getHandler() : null);
  13. mv = processHandlerException(request, response, handler, exception);
  14. errorView = (mv != null);
  15. }
  16. }
  17. if (mv != null && !mv.wasCleared()) {
  18. // 页面跳转处理
  19. render(mv, request, response);
  20. if (errorView) {
  21. WebUtils.clearErrorRequestAttributes(request);
  22. }
  23. }
  24. else {
  25. if (logger.isDebugEnabled()) {
  26. logger.debug("Null ModelAndView returned to DispatcherServlet with name '" + getServletName() +
  27. "': assuming HandlerAdapter completed request handling");
  28. }
  29. }
  30. if (WebAsyncUtils.getAsyncManager(request).isConcurrentHandlingStarted()) {
  31. // Concurrent handling started during a forward
  32. return;
  33. }
  34. if (mappedHandler != null) {
  35. mappedHandler.triggerAfterCompletion(request, response, null);
  36. }
  37. }
  38. if (mv != null && !mv.wasCleared()) {

5. 页面跳转的逻辑

  1. protected void render(ModelAndView mv, HttpServletRequest request, HttpServletResponse response) throws Exception {
  2. // Determine locale for request and apply it to the response.
  3. Locale locale =
  4. (this.localeResolver != null ? this.localeResolver.resolveLocale(request) : request.getLocale());
  5. response.setLocale(locale);
  6. View view;
  7. String viewName = mv.getViewName();
  8. if (viewName != null) {
  9. //1.解析视图名
  10. view = resolveViewName(viewName, mv.getModelInternal(), locale, request);
  11. if (view == null) {
  12. throw new ServletException("Could not resolve view with name '" + mv.getViewName() +
  13. "' in servlet with name '" + getServletName() + "'");
  14. }
  15. }
  16. else {
  17. // No need to lookup: the ModelAndView object contains the actual View object.
  18. view = mv.getView();
  19. if (view == null) {
  20. throw new ServletException("ModelAndView [" + mv + "] neither contains a view name nor a " +
  21. "View object in servlet with name '" + getServletName() + "'");
  22. }
  23. }
  24. // Delegate to the View object for rendering.
  25. if (logger.isDebugEnabled()) {
  26. logger.debug("Rendering view [" + view + "] in DispatcherServlet with name '" + getServletName() + "'");
  27. }
  28. try {
  29. if (mv.getStatus() != null) {
  30. response.setStatus(mv.getStatus().value());
  31. }//2.跳转
  32. view.render(mv.getModelInternal(), request, response);
  33. }
  34. catch (Exception ex) {
  35. if (logger.isDebugEnabled()) {
  36. logger.debug("Error rendering view [" + view + "] in DispatcherServlet with name '" +
  37. getServletName() + "'", ex);
  38. }
  39. throw ex;
  40. }
  41. }

1. 解析视图名称

  1. protected View resolveViewName(String viewName, @Nullable Map<String, Object> model,
  2. Locale locale, HttpServletRequest request) throws Exception {
  3. if (this.viewResolvers != null) {
  4. for (ViewResolver viewResolver : this.viewResolvers) {
  5. View view = viewResolver.resolveViewName(viewName, locale);
  6. if (view != null) {
  7. return view;
  8. }
  9. }
  10. }
  11. return null;
  12. }

2. 页面跳转

具体的跳转逻辑是根据当前使用的渲染引擎决定的,比如html、jsp、Thymeleaf等,这里简单 列举一个Thymeleaf的逻辑吧

  1. public void render(Map<String, ?> model, HttpServletRequest request, HttpServletResponse response) throws Exception {
  2. this.renderFragment(this.markupSelectors, model, request, response);
  3. }
  4. protected void renderFragment(Set<String> markupSelectorsToRender, Map<String, ?> model, HttpServletRequest request, HttpServletResponse response) throws Exception {
  5. ServletContext servletContext = this.getServletContext();
  6. String viewTemplateName = this.getTemplateName();
  7. ISpringTemplateEngine viewTemplateEngine = this.getTemplateEngine();
  8. if (viewTemplateName == null) {
  9. throw new IllegalArgumentException("Property 'templateName' is required");
  10. } else if (this.getLocale() == null) {
  11. throw new IllegalArgumentException("Property 'locale' is required");
  12. } else if (viewTemplateEngine == null) {
  13. throw new IllegalArgumentException("Property 'templateEngine' is required");
  14. } else {
  15. Map<String, Object> mergedModel = new HashMap(30);
  16. Map<String, Object> templateStaticVariables = this.getStaticVariables();
  17. if (templateStaticVariables != null) {
  18. mergedModel.putAll(templateStaticVariables);
  19. }
  20. if (pathVariablesSelector != null) {
  21. Map<String, Object> pathVars = (Map)request.getAttribute(pathVariablesSelector);
  22. if (pathVars != null) {
  23. mergedModel.putAll(pathVars);
  24. }
  25. }
  26. if (model != null) {
  27. mergedModel.putAll(model);
  28. }
  29. ApplicationContext applicationContext = this.getApplicationContext();
  30. RequestContext requestContext = new RequestContext(request, response, this.getServletContext(), mergedModel);
  31. SpringWebMvcThymeleafRequestContext thymeleafRequestContext = new SpringWebMvcThymeleafRequestContext(requestContext, request);
  32. addRequestContextAsVariable(mergedModel, "springRequestContext", requestContext);
  33. addRequestContextAsVariable(mergedModel, "springMacroRequestContext", requestContext);
  34. mergedModel.put("thymeleafRequestContext", thymeleafRequestContext);
  35. ConversionService conversionService = (ConversionService)request.getAttribute(ConversionService.class.getName());
  36. ThymeleafEvaluationContext evaluationContext = new ThymeleafEvaluationContext(applicationContext, conversionService);
  37. mergedModel.put("thymeleaf::EvaluationContext", evaluationContext);
  38. IEngineConfiguration configuration = viewTemplateEngine.getConfiguration();
  39. WebExpressionContext context = new WebExpressionContext(configuration, request, response, servletContext, this.getLocale(), mergedModel);
  40. String templateName;
  41. Set markupSelectors;
  42. if (!viewTemplateName.contains("::")) {
  43. templateName = viewTemplateName;
  44. markupSelectors = null;
  45. } else {
  46. IStandardExpressionParser parser = StandardExpressions.getExpressionParser(configuration);
  47. FragmentExpression fragmentExpression;
  48. try {
  49. fragmentExpression = (FragmentExpression)parser.parseExpression(context, "~{" + viewTemplateName + "}");
  50. } catch (TemplateProcessingException var24) {
  51. throw new IllegalArgumentException("Invalid template name specification: '" + viewTemplateName + "'");
  52. }
  53. ExecutedFragmentExpression fragment = FragmentExpression.createExecutedFragmentExpression(context, fragmentExpression);
  54. templateName = FragmentExpression.resolveTemplateName(fragment);
  55. markupSelectors = FragmentExpression.resolveFragments(fragment);
  56. Map<String, Object> nameFragmentParameters = fragment.getFragmentParameters();
  57. if (nameFragmentParameters != null) {
  58. if (fragment.hasSyntheticParameters()) {
  59. throw new IllegalArgumentException("Parameters in a view specification must be named (non-synthetic): '" + viewTemplateName + "'");
  60. }
  61. context.setVariables(nameFragmentParameters);
  62. }
  63. }
  64. String templateContentType = this.getContentType();
  65. Locale templateLocale = this.getLocale();
  66. String templateCharacterEncoding = this.getCharacterEncoding();
  67. Set processMarkupSelectors;
  68. if (markupSelectors != null && markupSelectors.size() > 0) {
  69. if (markupSelectorsToRender != null && markupSelectorsToRender.size() > 0) {
  70. throw new IllegalArgumentException("A markup selector has been specified (" + Arrays.asList(markupSelectors) + ") for a view that was already being executed as a fragment (" + Arrays.asList(markupSelectorsToRender) + "). Only one fragment selection is allowed.");
  71. }
  72. processMarkupSelectors = markupSelectors;
  73. } else if (markupSelectorsToRender != null && markupSelectorsToRender.size() > 0) {
  74. processMarkupSelectors = markupSelectorsToRender;
  75. } else {
  76. processMarkupSelectors = null;
  77. }
  78. response.setLocale(templateLocale);
  79. if (!this.getForceContentType()) {
  80. String computedContentType = SpringContentTypeUtils.computeViewContentType(request, templateContentType != null ? templateContentType : "text/html;charset=ISO-8859-1", templateCharacterEncoding != null ? Charset.forName(templateCharacterEncoding) : null);
  81. response.setContentType(computedContentType);
  82. } else {
  83. if (templateContentType != null) {
  84. response.setContentType(templateContentType);
  85. } else {
  86. response.setContentType("text/html;charset=ISO-8859-1");
  87. }
  88. if (templateCharacterEncoding != null) {
  89. response.setCharacterEncoding(templateCharacterEncoding);
  90. }
  91. }
  92. viewTemplateEngine.process(templateName, processMarkupSelectors, context, response.getWriter());
  93. }
  94. }