Twi
Twi

Reputation: 825

Failed to parse "Date" from JSON

I have the following JSON string in REST response:

"09:41:50 CET"

For the corresponding POJO mapper class has a Date type for this field. So I've tried Jackson and GSON to map JSON to Java Object, but both failed with the following messages:

GSON: java.text.ParseException: Failed to parse date ["09:41:50 CET"]: Invalid number: 09:4

Jackson: InvalidFormatException: Cannot deserialize value of type `java.util.Date` from
                                 String "09:41:50 CET": not a valid representation

Sadly I cannot modify in the POJO class the type to string or anything else, because I get those POJO classes from mvn dependency.

Upvotes: 1

Views: 5606

Answers (3)

Matteo Tomai
Matteo Tomai

Reputation: 174

Try with this:

public static void main(String[] args) throws ParseException {

    String jsonStr = "{ \"date\" : \"09:41:50 CET\" }";
    Gson gson = new GsonBuilder().setDateFormat("HH:mm:ss").create();
    JsonElement element = gson.fromJson (jsonStr, JsonElement.class);

    OnlyDate date =gson.fromJson(element, new TypeToken<OnlyDate>(){}.getType());

    System.out.println(date.getDate());

}

My example DTO is:

public class OnlyDate implements Serializable{
    /**
     * 
     */
    private static final long serialVersionUID = 1L;

    @SerializedName("date")
    private Date date ;

    public Date getDate() {
        return date;
    }

    public void setDate(Date date) {
        this.date = date;
    }


}

You have to specify the dateFormat of your gson Element

Upvotes: 1

Dezso Gabos
Dezso Gabos

Reputation: 2452

Since Jackson v2.0, you can use @JsonFormat annotation directly on Object members;

@JsonFormat(shape = JsonFormat.Shape.STRING, pattern = "HH:mm:ss", timezone="CET")
private Date date;

Upvotes: 0

Rishi Saraf
Rishi Saraf

Reputation: 1812

Not sure what kind of rest you have however if you are using spring rest you can do it by implementing custom Converter check the example at https://www.baeldung.com/spring-mvc-custom-data-binder.

Upvotes: 0

Related Questions