正如@Kimble所说,对于Jackson 2,使用默认格式非常容易;只需JodaModule在您的上注册即可ObjectMapper。
ObjectMapper mapper = new ObjectMapper();
mapper.registerModule(new JodaModule());
对于的自定义序列化/反序列化DateTime,您需要实现自己的StdScalarSerializer和StdScalarDeserializer; 它非常令人费解,但是无论如何。
例如,这是一个在UTC时区DateTime使用的序列化器ISODateFormat:
public class DateTimeSerializer extends StdScalarSerializer<DateTime> {
    public DateTimeSerializer() {
        super(DateTime.class);
    }
    @Override
    public void serialize(DateTime dateTime,
                          JsonGenerator jsonGenerator,
                          SerializerProvider provider) throws IOException, JsonGenerationException {
        String dateTimeAsString = ISODateTimeFormat.withZoneUTC().print(dateTime);
        jsonGenerator.writeString(dateTimeAsString);
    }
}
以及相应的反序列化器:
public class DateTimeDesrializer extends StdScalarDeserializer<DateTime> {
    public DateTimeDesrializer() {
        super(DateTime.class);
    }
    @Override
    public DateTime deserialize(JsonParser jsonParser,
                                DeserializationContext deserializationContext) throws IOException, JsonProcessingException {
        try {
            JsonToken currentToken = jsonParser.getCurrentToken();
            if (currentToken == JsonToken.VALUE_STRING) {
                String dateTimeAsString = jsonParser.getText().trim();
                return ISODateTimeFormat.withZoneUTC().parseDateTime(dateTimeAsString);
            }
        } finally {
            throw deserializationContext.mappingException(getValueClass());
        }
    }
然后将这些与模块捆绑在一起:
public class DateTimeModule extends SimpleModule {
    public DateTimeModule() {
        super();
        addSerializer(DateTime.class, new DateTimeSerializer());
        addDeserializer(DateTime.class, new DateTimeDeserializer());
    }
}
然后在您的上注册该模块ObjectMapper:
ObjectMapper mapper = new ObjectMapper();
mapper.registerModule(new DateTimeModule());