REST コントローラーで@ControllerAdviceアノテーションと@Validアノテーションを一緒に使用すると問題が発生します。
次のように宣言された残りのコントローラーがあります。
@Controller
public class RestExample {
...
/**
* <XmlRequestUser><username>user1</username><password>password</password><name>Name</name><surname>Surname</surname></XmlRequestUser>
* curl -d "@restAddRequest.xml" -H "Content-Type:text/xml" http://localhost:8080/SpringExamples/servlets/rest/add
*/
@RequestMapping(value="rest/add", method=RequestMethod.POST)
public @ResponseBody String add(@Valid @RequestBody XmlRequestUser xmlUser) {
User user = new User();
user.setUsername(xmlUser.getUsername());
user.setPassword(xmlUser.getPassword());
user.setName(xmlUser.getName());
user.setSurname(xmlUser.getSurname());
// add user to the database
StaticData.users.put(xmlUser.getUsername(), user);
LOG.info("added user " + xmlUser.getUsername());
return "added user " + user.getUsername();
}
}
そして ErrorHandler クラス:
@ControllerAdvice
public class RestErrorHandler extends ResponseEntityExceptionHandler {
private static Logger LOG = Logger.getLogger(RestErrorHandler.class);
@ExceptionHandler(RuntimeException.class)
public ResponseEntity<Object> handleException(final RuntimeException e, WebRequest request) {
LOG.error(e);
String bodyOfResponse = e.getMessage();
return handleExceptionInternal(e, bodyOfResponse, new HttpHeaders(), HttpStatus.CONFLICT, request);
}
}
問題は、メソッドRestExample.add内に「throw new RuntimeException」を追加すると、 RestErrorHandlerクラスによって例外が正しく処理されることです。
ただし、コントローラーへの無効なリクエストをカールすると、RestErrorHandlerはバリデーターによってスローされた例外をキャッチせず、400 BadRequestレスポンスを受け取ります。(無効なリクエストとは、ユーザー名が指定されていない xml リクエストを意味します)
XmlRequestUserクラスは、プラグインmaven-jaxb2-plugin + krasa-jaxb-tools (pom.xml)によって自動生成されることに注意してください。
<plugin>
<groupId>org.jvnet.jaxb2.maven2</groupId>
<artifactId>maven-jaxb2-plugin</artifactId>
<executions>
<execution>
<goals>
<goal>generate</goal>
</goals>
</execution>
</executions>
<configuration>
<schemaDirectory>src/main/xsd</schemaDirectory>
<schemaIncludes>
<include>*.xsd</include>
</schemaIncludes>
<args>
<arg>-XJsr303Annotations</arg>
<arg>-XJsr303Annotations:targetNamespace=http://www.foo.com/bar</arg>
</args>
<plugins>
<plugin>
<groupId>com.github.krasa</groupId>
<artifactId>krasa-jaxb-tools</artifactId>
<version>${krasa-jaxb-tools.version}</version>
</plugin>
</plugins>
</configuration>
</plugin>
生成されたクラスには、ユーザー名とパスワードのフィールドに @NotNull 注釈が正しく含まれています。
私のcontext.xmlは非常に簡単で、コントローラー用のスキャナーと mvc:annotation-driven を有効にするだけです。
<context:component-scan base-package="com.aa.rest" />
<mvc:annotation-driven />
RESTコントローラーで@ControllerAdviceと@Validアノテーションを一緒に機能させる方法を知っている人はいますか?
前もって感謝します。アントニオ