Deserialice Java 8 LocalDateTime con JacksonMapper

He leído varias preguntas con respuestas aquí en SO sobre la serialización y deserialización entrejava.time.LocalDateTime y propiedad JSON, pero parece que no puedo hacer que funcione.

He logrado configurar mi aplicación Spring Boot para devolver las fechas en el formato que deseo (YYY-MM-dd HH:mm) pero tengo problemas para aceptar valores en este formato en JSON.

Estas son todas las cosas que he hecho hasta ahora:

Se agregó dependencia de Maven parajsr310:

<dependency>
    <groupId>com.fasterxml.jackson.datatype</groupId>
    <artifactId>jackson-datatype-jsr310</artifactId>
</dependency>

Especificadojsr310&nbsp;en mi clase principal:

@EntityScan(basePackageClasses = { App.class, Jsr310JpaConverters.class })

Serialización deshabilitada como marcas de tiempo enapplication.properties:

spring.jackson.serialization.write_dates_as_timestamps=false

Y este es mi mapeo de entidad para datetime:

@Column(name = "start_date")
@DateTimeFormat(iso = DateTimeFormat.ISO.TIME)
@JsonFormat(pattern = "YYYY-MM-dd HH:mm")
private LocalDateTime startDate;

En mi base de datos, almaceno esta fecha como TIMESTAMP en el siguiente formato:2016-12-01T23:00:00+00:00.

Si accedo a esta entidad a través de mi controlador, devuelve el JSON con el formato startDate correcto. Sin embargo, cuando intento publicarlo y deserializarlo, utilizoYYYY-MM-dd HH:mm&nbsp;formato, me sale la siguiente excepción:

{
  "timestamp": "2016-10-30T14:22:25.285+0000",
  "status": 400,
  "error": "Bad Request",
  "exception": "org.springframework.http.converter.HttpMessageNotReadableException",
  "message": "Could not read document: Can not deserialize value of type java.time.LocalDateTime from String \"2017-01-01 20:00\": Text '2017-01-01 20:00' could not be parsed: Unable to obtain LocalDateTime from TemporalAccessor: {MonthOfYear=1, WeekBasedYear[WeekFields[SUNDAY,1]]=2017, DayOfMonth=1},ISO resolved to 20:00 of type java.time.format.Parsed\n at [Source: java.io.PushbackInputStream@679a734d; line: 6, column: 16] (through reference chain: com.gigsterous.api.model.Event[\"startDate\"]); nested exception is com.fasterxml.jackson.databind.exc.InvalidFormatException: Can not deserialize value of type java.time.LocalDateTime from String \"2017-01-01 20:00\": Text '2017-01-01 20:00' could not be parsed: Unable to obtain LocalDateTime from TemporalAccessor: {MonthOfYear=1, WeekBasedYear[WeekFields[SUNDAY,1]]=2017, DayOfMonth=1},ISO resolved to 20:00 of type java.time.format.Parsed\n at [Source: java.io.PushbackInputStream@679a734d; line: 6, column: 16] (through reference chain: com.gigsterous.api.model.Event[\"startDate\"])",
  "path": "/api/events"
}

Sé que hay muchas respuestas sobre este tema, pero seguirlas e intentarlo durante un par de horas no me ayudó a descubrir qué estoy haciendo mal, por lo que me alegraría que alguien pudiera señalarme lo que me estoy perdiendo. Gracias por cualquier comentario sobre esto!

EDITAR: Estas son todas las clases involucradas en el proceso:

Repositorio:

@Repository
public interface EventRepository extends PagingAndSortingRepository<Event, Long> {
}

Controlador:

@RequestMapping(method = RequestMethod.POST, consumes = MediaType.APPLICATION_JSON_VALUE)
public ResponseEntity<Event> createEvent(@RequestBody Event event) {
        return new ResponseEntity<>(eventRepo.save(event), HttpStatus.CREATED);
}

Mi solicitud JSON payalod:

{
  "name": "Test",
  "startDate": "2017-01-01 20:00"
}

Evento:

@Entity
@Table(name = "events")
@Getter
@Setter
public class Event {

    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    @Column(name = "event_id")
    private long id;

    @Column(name = "name")
    private String name;

    @Column(name = "start_date")
    @DateTimeFormat(iso = DateTimeFormat.ISO.TIME)
    @JsonFormat(pattern = "YYYY-MM-dd HH:mm")
    private LocalDateTime startDate;
}