Reputation: 1217
I would like to write the contents of Jackson's ObjectNode
to a string with the UTF-8 characters written as ASCII (Unicode escaped).
Here is a sample method:
private String writeUnicodeString() {
ObjectMapper mapper = new ObjectMapper();
ObjectNode node = mapper.getNodeFactory().objectNode();
node.put("field1", "Maël Hörz");
return node.toString();
}
By default, this outputs:
{"field1":"Maël Hörz"}
What I would like it to output is:
{"field1":"Ma\u00EBl H\u00F6rz"}
How can I accomplish this?
Upvotes: 43
Views: 77223
Reputation: 10853
You should enable the JsonGenerator
feature which controls the escaping of the non-ASCII characters. Here is an example:
ObjectMapper mapper = new ObjectMapper();
mapper.getFactory().configure(JsonGenerator.Feature.ESCAPE_NON_ASCII, true);
ObjectNode node = mapper.getNodeFactory().objectNode();
node.put("field1", "Maël Hörz");
System.out.println(mapper.writeValueAsString(node));
The output is:
{"field1":"Ma\u00EBl H\u00F6rz"}
Upvotes: 68
Reputation: 435
JsonGenerator
is deprecated use JsonWriteFeature
instead of it.
mapper.getFactory().configure(JsonWriteFeature.ESCAPE_NON_ASCII.mappedFeature(), true);
Upvotes: 12