Reputation: 19779
In a Spring application I have added a custom JSON serializer which is applied to a field with thte tag:
@JsonSerialize(using=MySerializer.class)
And the MySerializer serializer (whcihc extends from JsonSerializer) has a method which looks like:
@Override
public void serialize(String value, JsonGenerator jsonGenerator, SerializerProvider serializerProvider) throws IOException, JsonProcessingException
{
//some logic
}
It works and execute the logic when the application generates json in the methods annotated with @ResponseBody but it also executes the same logic when the application uses a webservice with JSON. I'd like to set up different configurations for the RestTemplate serialization and for @ResponseBody, or at least, being able to differenciate in the serializate method whether we are in a @ResponseBody case or in a RestTemplate one.
Any idea on how to do this?
Thanks.
Upvotes: 1
Views: 1179
Reputation: 38655
You should use Mix-in Annotations feature. For example, your POJO
classes could look like that:
class Root {
private Data data;
// getters/setters
}
class Data {
private String name;
// getters/setters
}
Now, you have to create MixIn
interface:
interface RootMixIn {
@JsonSerialize(using = DataSerializer.class)
Data getData();
}
Imagine, that custom serializer looks like this:
class DataSerializer extends JsonSerializer<Data> {
@Override
public void serialize(Data data, JsonGenerator generator, SerializerProvider provider) throws IOException, JsonProcessingException {
generator.writeStartObject();
generator.writeFieldName("name_property");
generator.writeString(data.getName() + " XXX");
generator.writeEndObject();
}
}
Finally, you have to create two ObjectMapper
's. Simple usage:
Data data = new Data();
data.setName("Tom");
Root root = new Root();
root.setData(data);
ObjectMapper mapperWithMixIn = new ObjectMapper();
mapperWithMixIn.addMixInAnnotations(Root.class, RootMixIn.class);
ObjectMapper mapperDefault = new ObjectMapper();
System.out.println("With MIX-IN");
System.out.println(mapperWithMixIn.writeValueAsString(root));
System.out.println("Default");
System.out.println(mapperDefault.writeValueAsString(root));
Above script prints:
With MIX-IN
{"data":{"name_property":"Tom XXX"}}
Default
{"data":{"name":"Tom"}}
As you can see, ObjectMapper
with MixIn
you can use in request handlers, and default ObjectMapper
you can use in RestTemplate.
Spring
creates default ObjectMapper
bean and uses it to serialize and deserialize request's data. You have to find and override this default bean. How to do it? Please, see below links:
This overridden bean should look like mapperWithMixIn
in my above example.
Secondly, you have to create new ObjectMapper
bean and inject this bean to all RestTemplate-s and use this bean in these classes as a serializer/deserializer.
Upvotes: 2