首页 > 代码库 > springMVC源码分析--HttpMessageConverter数据转化(一)
springMVC源码分析--HttpMessageConverter数据转化(一)
之前的博客我们已经介绍了很多springMVC相关的模块,接下来我们介绍一下springMVC在获取参数和返回结果值方面的处理。虽然在之前的博客老田已经分别介绍了参数处理器和返回值处理器:
(1)springMVC参数值处理器 springMVC源码分析--HandlerMethodArgumentResolver参数解析器(一)
(2)springMVC返回值处理器 springMVC源码分析--HandlerMethodReturnValueHandler返回值解析器(一)
但对参数和返回值的真正处理类并有进行详细的介绍,接下来老田用几篇博客来介绍了一下数据Message在参数和返回值上的处理过程。
springMVC对数据Message的处理操作提供了一个接口HttpMessageConverter,用来对参数值和返回值的转换处理。
HttpMessageConverter提供的方法还是比较简单的就是判断是否支持可读、可写以及读写操作。
public interface HttpMessageConverter<T> { //判断数据类型是否可读 boolean canRead(Class<?> clazz, MediaType mediaType); //判断数据是否可写 boolean canWrite(Class<?> clazz, MediaType mediaType); //获取支持的数据类型 List<MediaType> getSupportedMediaTypes(); //对参数值进行读,转换为需要的类型 T read(Class<? extends T> clazz, HttpInputMessage inputMessage) throws IOException, HttpMessageNotReadableException; //将返回值发送给请求者 void write(T t, MediaType contentType, HttpOutputMessage outputMessage) throws IOException, HttpMessageNotWritableException; }
当然在读写操作方面springMVC又提供了读操作接口HttpInputMessage和写操作接口HttpOutputMessage来完成数据的读写操作。
HttpInputMessage提供的接口就是将body中的数据转为输入流
public interface HttpInputMessage extends HttpMessage { /** * Return the body of the message as an input stream. * @return the input stream body (never {@code null}) * @throws IOException in case of I/O Errors */ //获取body中的数据作为输入流 InputStream getBody() throws IOException; }HttpOutputMessage提供的接口就是将body中的数据转为输出流
public interface HttpOutputMessage extends HttpMessage { /** * Return the body of the message as an output stream. * @return the output stream body (never {@code null}) * @throws IOException in case of I/O Errors */ //将数据转为输出流 OutputStream getBody() throws IOException; }
父接口HttpMessage提供的方法是读取头部中的信息
public interface HttpMessage { /** * Return the headers of this message. * @return a corresponding HttpHeaders object (never {@code null}) */ //获取头部中的信息 HttpHeaders getHeaders(); }
HttpMessageConverter接口及实现类如图:
在SpringMVC进入readString方法前,会根据@RequestBody注解选择适当的HttpMessageConverter实现类来将请求参数解析到string变量中,具体来说是使用了StringHttpMessageConverter类,它的canRead()方法返回true,然后它的read()方法会从请求中读出请求参数,绑定到readString()方法的string变量中。
当SpringMVC执行readString方法后,由于返回值标识了@ResponseBody,SpringMVC将使用StringHttpMessageConverter的write()方法,将结果作为String值写入响应报文,当然,此时canWrite()方法返回true。
我们可以用下面的图,简单描述一下这个过程。
springMVC源码分析--HttpMessageConverter数据转化(一)