Det finns två sätt att uppnå detta.
- Använd Jackson Serializers - För global konvertering. Tillämpas på varje konvertering
- Användare Spring WebDataBinder och PropertyEditorSupport . Du kan välja vilken styrenhet som behöver denna konvertering
Implementera Jackson serializer
Registrera ovanstående klass till Jackson Module
public class CustomDateTimeSerializer extends JsonSerializer<DateTime> {
// Customize format as per your need
private static DateTimeFormatter formatter = DateTimeFormat
.forPattern("yyyy-MM-dd'T'HH:mm:ss");
@Override
public void serialize(DateTime value, JsonGenerator generator,
SerializerProvider serializerProvider)
throws IOException {
generator.writeString(formatter.print(value));
}
}
Lägg till Serializer till Jackson Module
@Configuration
public class JacksonConfiguration {
@Bean
public JodaModule jacksonJodaModule() {
final JodaModule module = new JodaModule();
module.addSerializer(DateTime.class, new CustomDateTimeSerializer());
return module;
}
}
Använd WebBinder API och PropertyEditorSupport
Implementera PropertyEditorSupport
public class DateTimeEditor extends PropertyEditorSupport {
private final DateTimeFormatter formatter;
public DateTimeEditor(String dateFormat) {
this.formatter = DateTimeFormat.forPattern(dateFormat);
}
public String getAsText() {
DateTime value = (DateTime) getValue();
return value != null ? value.toString(formatter) : "";
}
public void setAsText( String text ) throws IllegalArgumentException {
if ( !StringUtils.hasText(text) ) {
// Treat empty String as null value.
setValue(null);
} else {
setValue(new DateTime(formatter.parseDateTime(text)));
}
}
}
Lägg till denna PropertyEditor till Rest Controller
@RestController
@RequestMapping("/abc")
public class AbcController {
@InitBinder
public void initBinder(WebDataBinder binder) {
binder.registerCustomEditor(DateTime.class, new DateTimeEditor("yyyy-MM-dd", false));
}
}