成人免费xxxxx在线视频软件_久久精品久久久_亚洲国产精品久久久_天天色天天色_亚洲人成一区_欧美一级欧美三级在线观看

Spring MVC核心擴展點及使用技巧總結

開發 前端
一種從基于資源的位置列表中提供靜態資源的便捷方法。如下如果請求以 /resources 開頭,則會使用相對路徑查找并提供網絡應用程序根目錄下 /public 或類路徑中 /static 下的靜態資源。

環境:SpringBoot2.7.12

1. 啟用Spring MVC功能

@Configuration
@EnableWebMvc
public class WebConfig {
}

2. 類型轉換配置

如需要自定義數據類型的轉換,可以通過如下方式注冊

@Configuration
public class WebConfig implements WebMvcConfigurer {
  
  @Override
  public void addFormatters(FormatterRegistry registry) {
    registry.addConverterFactory(new ConverterFactory<String, Number>() {
      @Override
      public <T extends Number> Converter<String, T> getConverter(Class<T> targetType) {
        return new Converter<String, T>() {
          public T convert(String source) {
            return (T) Integer.valueOf(source) ;
          }
        } ;
      }
    });
  }
  
}

以上添加了從String到Integer的轉換(這里只是舉例,系統默認已經有了從String到Number的轉換器)。每種轉換器最終被包裝成ConvertersForPair對象,該對象中有個隊列保存了所有的轉換器。后添加的添加到首位,如下:

private static class ConvertersForPair {
    private final Deque<GenericConverter> converters = new ConcurrentLinkedDeque<>();
    public void add(GenericConverter converter) {
      this.converters.addFirst(converter);
    }
}

所有如你有自定義的轉換器,自定義的優先級比系統自帶的要高。

3. 數據驗證

默認情況下,如果類路徑上存在 Bean Validation(例如 Hibernate Validator),則 LocalValidatorFactoryBean 會被注冊為全局 Validator,與控制器方法參數上的 @Valid 和 Validated 一起使用。

@Configuration
public class WebConfig implements WebMvcConfigurer {
  public Validator getValidator() {
    return new LocalValidatorFactoryBean();
  }
}

4. 請求攔截器

@Configuration
public class WebConfig implements WebMvcConfigurer {
  public void addInterceptors(InterceptorRegistry registry) {
    registry.addInterceptor(new HandlerInterceptor() {
      @Override
      public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler)
          throws Exception {
        if (request.getHeader("token") == null) {
          return false ;
        }
        return true ;
      }
    }).addPathPatterns("/**") ;
  }
}

上面配置了一個攔截任意請求的攔截器,在請求到達時會先驗證請求header中token是否為null。

攔截器并不適合作為安全層,因為它有可能與控制器Controller路徑匹配不匹配,而Controller路徑匹配還可以透明地匹配尾部斜線和路徑擴展名以及其他路徑匹配選項。其中許多選項已被棄用,但仍有可能出現不匹配。一般情況下,我們建議使用 Spring Security,它包含一個專用的 MvcRequestMatcher,可與 Spring MVC 路徑匹配保持一致,還具有安全防火墻,可阻止 URL 路徑中許多不需要的字符。

5. 請求內容類型

自定義Spring MVC 如何從請求中確定所請求的媒體類型(例如,接受頭、URL 路徑擴展、查詢參數等)。

默認情況下,只選中"Accept" header。

@Configuration
public class WebConfig implements WebMvcConfigurer {


  @Override
  public void configureContentNegotiation(ContentNegotiationConfigurer configurer) {
    // 這樣配置后,視圖技術就能夠根據你請求的Accept輸出指定的文件內容了
    configurer.mediaType("yaml", new MediaType("application", "yaml")) ;
  }
}

上面的配置最終是對ContentNegotiationManager對象進行添加MappingMediaTypeFileExtensionResolver文件擴展解析器。

@Bean
public ContentNegotiationManager mvcContentNegotiationManager() {
  if (this.contentNegotiationManager == null) {
    ContentNegotiationConfigurer configurer = new ContentNegotiationConfigurer(this.servletContext);
    configurer.mediaTypes(getDefaultMediaTypes());
    configureContentNegotiation(configurer);
    this.contentNegotiationManager = configurer.buildContentNegotiationManager();
  }
  return this.contentNegotiationManager;
}
protected ContentNegotiationManager buildContentNegotiationManager() {
  this.factory.addMediaTypes(this.mediaTypes);
  return this.factory.build();
}

部分代碼

public class ContentNegotiationManagerFactoryBean {
  public ContentNegotiationManager build() {
    if (!CollectionUtils.isEmpty(this.mediaTypes) && !this.favorPathExtension && !this.favorParameter) {
      this.contentNegotiationManager.addFileExtensionResolvers(
          new MappingMediaTypeFileExtensionResolver(this.mediaTypes));
    }
  }
}

有了MappingMediaTypeFileExtensionResolver解析器后,還需要Controller接口返回ModelAndView對象。如下接口

@GetMapping("/contentType")
public ModelAndView contentType() {
  return new ModelAndView("test") ;
}

在classpath下新建test.yaml文件,內容隨意。有了這些還不夠,我們需要能夠解析處理*.yaml的文件。所以還需要視圖解析器

@Component
public class YamlViewResolver implements ViewResolver {
  @Override
  public View resolveViewName(String viewName, Locale locale) throws Exception {
    if (!viewName.endsWith(".yaml")) {
      return null ;
    }
    return new View() {
      // 支持的類型
      public String getContentType() {
        return "application/yaml" ;
      };
      @Override
      public void render(Map<String, ?> model, HttpServletRequest request, HttpServletResponse response) throws Exception {
        ClassPathResource resource = new ClassPathResource(viewName) ;
        InputStream is = resource.getInputStream() ;
        
        OutputStream outputStream = response.getOutputStream();  
        byte[] buffer = new byte[4096];  
        int bytesRead = -1;  
        while ((bytesRead = is.read(buffer)) != -1) {  
          outputStream.write(buffer, 0, bytesRead);  
        }  
        outputStream.flush() ;  
        is.close();  
        outputStream.close() ;
      }
    } ;
  }


}

有了這些我們配置Spring MVC才能正確的輸出我們所需要的文件內容。這個功能是不是太麻煩了,沒撒用??。

6. 自定義消息轉換器

現希望將對象轉換為YAML個數的數據進行輸出,我們可以配置自定義的HttpMessageConverter進行轉換輸出。

public class YamlHttpMessageConverter implements HttpMessageConverter<Object> {


  @Override
  public boolean canWrite(Class<?> clazz, MediaType mediaType) {
    return User.class.isAssignableFrom(clazz) ;
  }


  @Override
  public List<MediaType> getSupportedMediaTypes() {
    return Arrays.asList(new MediaType("application", "yaml")) ;
  }


  @Override
  public void write(Object t, MediaType contentType, HttpOutputMessage outputMessage)
      throws IOException, HttpMessageNotWritableException {
    StreamUtils.copy(new org.yaml.snakeyaml.Yaml().dump(t), StandardCharsets.UTF_8, outputMessage.getBody()) ;
  }


}

注冊上面的轉換器

@Configuration
public class WebConfig implements WebMvcConfigurer {
  public void configureMessageConverters(List<HttpMessageConverter<?>> converters) {
    // 注意這里已定義指定位置,不然就被json輸出了
    converters.add(0, new YamlHttpMessageConverter()) ;
  }
}

測試接口

@GetMapping("/yaml")
public Object yaml() {
  return new User(10, "zhangsan") ;
}

輸出結果

圖片圖片

7. 視圖控制器

一種快捷定義視圖Controller接口的方式

@Configuration
public class WebConfig implements WebMvcConfigurer {
  @Override
  public void addViewControllers(ViewControllerRegistry registry) {
    // 當訪問/index時將直接輸出test視圖內容
    registry.addViewController("/index").setViewName("test") ;
  }
}

這里為了簡單直接使用BeanNameViewReolver技術,自定義一個以test為名的View Bean對象

@Component("test")
public class PackView implements View {
  @Override
  public String getContentType() {
    return "text/html" ;
  }
  @Override
  public void render(Map<String, ?> model, HttpServletRequest request, HttpServletResponse response) throws Exception {
    response.getWriter().print("View Controllers") ;
  }
}

輸出

圖片圖片

8. 視圖解析器

可以通過上面案例5中定義的YamlViewResolver注冊方式,也可以通過如下方式注冊

@Configuration
public class WebConfig implements WebMvcConfigurer {
  public void configureViewResolvers(ViewResolverRegistry registry) {
    registry.viewResolver(new YamlViewResolver()) ;
  }
}

這樣注冊的解析器,都會添加到ViewResolverComposite這個解析器集合中。

9. 靜態資源配置

一種從基于資源的位置列表中提供靜態資源的便捷方法。如下如果請求以 /resources 開頭,則會使用相對路徑查找并提供網絡應用程序根目錄下 /public 或類路徑中 /static 下的靜態資源。

@Configuration
@EnableWebMvc
public class WebConfig implements WebMvcConfigurer {


  @Override
  public void addResourceHandlers(ResourceHandlerRegistry registry) {
    registry.addResourceHandler("/resources/**").addResourceLocations("/public", "classpath:/static/");
  }
}

以上是本篇文章的所有內容,希望對你有幫助。

完畢!!!

責任編輯:武曉燕 來源: Spring全家桶實戰案例源碼
相關推薦

2009-12-04 15:43:03

PHP JSON擴展

2025-05-23 10:38:43

2011-12-05 13:44:34

JavaSpringMVC

2023-09-28 08:49:41

springBean

2017-05-09 10:34:21

Spring BootDubbo Activ擴展

2017-04-28 08:32:40

Spring BootDubbo Activ使用

2020-03-06 18:43:58

Spring MVC控制器Java

2017-05-08 08:20:34

False注入MySQLSQL注入

2021-10-31 19:39:11

注解Spring 核心類

2009-09-27 14:01:29

Spring MVC

2022-01-05 08:53:13

Spring原理分析MVC

2020-01-16 18:30:07

技術SQL優化

2023-11-24 08:00:00

2019-05-09 09:35:17

Spring Boot技術開發

2009-08-13 18:00:48

Eclipse重構功能擴展點

2015-08-24 08:59:13

Git技巧

2013-06-07 14:35:19

Mac OS X

2021-04-12 06:09:38

Spring擴展點應用

2025-04-18 05:50:59

Spring接口Aware

2022-09-05 10:03:55

MypyPython代碼
點贊
收藏

51CTO技術棧公眾號

主站蜘蛛池模板: .国产精品成人自产拍在线观看6 | 国产一伦一伦一伦 | 亚洲一区| 亚洲在线看| 成人免费毛片片v | 99一级毛片 | 米奇狠狠鲁 | 美女视频一区二区三区 | 狠狠爱免费视频 | 亚洲一区免费 | 亚洲综合视频 | 黄a免费网络 | 在线看片网站 | 麻豆精品久久久 | 久久国产精品无码网站 | caoporn国产 | 中文字幕久久精品 | 日韩三级电影在线看 | 亚洲午夜av久久乱码 | 久久成人免费视频 | 美女视频一区二区 | 精品久久久精品 | 亚洲精品一区二区三区在线观看 | 91国内精品久久 | 欧美日韩精品区 | 成人欧美在线 | 国产91在线播放 | 成人免费视频一区二区 | 午夜影院污 | 欧美日韩亚| 久久免费视频网 | 九九热精品视频在线观看 | 精品国产一区二区三区性色av | 亚洲欧美日韩精品久久亚洲区 | 成年人在线观看 | 中文字幕视频在线观看 | 国产激情视频网站 | 国产精品国产自产拍高清 | 美女天天干天天操 | 操操操日日日 | 欧美日韩国产在线观看 |