我使用Spring Boot设置了一个非常简单的文件上传。我想知道是否有一种简单的方法可以在超过最大文件大小时显示错误页面。
我上传了一个非常简单的例子,说明我试图在github上实现的目标。
基本上,这个想法是在全局Spring异常处理程序中捕获MultipartException:
@ControllerAdvice
public class UploadExceptionHandler {
@ExceptionHandler(MultipartException.class)
public ModelAndView handleError(MultipartException exception) {
ModelAndView modelAndView = new ModelAndView();
modelAndView.addObject("error", exception.getMessage());
modelAndView.setViewName("uploadPage");
return modelAndView;
}
}
处理文件上传的控制器非常简单:
@RequestMapping("/")
public String uploadPage() {
return "uploadPage";
}
@RequestMapping(value = "/", method = RequestMethod.POST)
public String onUpload(@RequestParam MultipartFile file) {
System.out.println(file.getOriginalFilename());
return "uploadPage";
}
和上传页面。html thymeleaf模板也与之关联:
<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">
<head lang="en">
<title>Upload</title>
</head>
<body>
<div style="color: red" th:text="${error}" th:if="${error}">
Error during upload
</div>
<form th:action="@{/}" method="post" enctype="multipart/form-data">
<input type="file" id="file" name="file"/>
<button type="submit" name="save">Submit</button>
</form>
</body>
</html>
这个想法是当文件太大时,在同一个上传页面中显示一条错误消息。
我的理解是,可以将Spring的MultipartResolver配置为惰性地解决异常,并能够在Spring级别(MVC异常处理程序)捕获这些异常,但这段代码似乎没有帮助:
@Bean(name = DispatcherServlet.MULTIPART_RESOLVER_BEAN_NAME)
public StandardServletMultipartResolver multipartResolver() {
StandardServletMultipartResolver multipartResolver = new StandardServletMultipartResolver();
multipartResolver.setResolveLazily(true);
return multipartResolver;
}
所以在我采取像过滤器或扩展MultipartResolver这样的极端措施之前...
您知道用Spring MVC处理这些异常的干净方法吗?
感谢@rossen stoyanchev。下面是我最后做的:
@RequestMapping("uploadError")
public ModelAndView onUploadError(HttpServletRequest request) {
ModelAndView modelAndView = new ModelAndView("uploadPage");
modelAndView.addObject("error", request.getAttribute(WebUtils.ERROR_MESSAGE_ATTRIBUTE));
return modelAndView;
}
@Bean
public EmbeddedServletContainerCustomizer containerCustomizer() {
return container -> container.addErrorPages(new ErrorPage(MultipartException.class, "/uploadError"));
}
作品像一个魅力,感觉像一个优雅的解决方案。如果有人感兴趣,我在github上更新了项目。非常感谢!
多部分请求解析发生在选择处理程序之前,因此没有@控制器,因此还没有@控制器建议。您可以使用ErrorController(请参阅http://docs.spring.io/spring-boot/docs/current/reference/html/boot-features-developing-web-applications.html#boot-功能错误处理)。
顺便说一句,您不需要@RequestParam。参数类型为MultipartFile就足够了。