我有一个简单的数据服务:
@GET
public Data getData(@QueryParam("id") Long id) {
Data data = dataService.getData(id);
return data;
}
以及实现
DataSerializer
的匹配JsonSerializer<Data>
:DataSerializer
通过以下方式注册到Jackson:simpleModule.addSerializer(Data.class , dataSerializer);
ObjectMapper mapper = new ObjectMapper();
mapper.registerModule(simpleModule);
效果很好。
但是今天,我想添加另一个
Locale
参数,并希望DataSerializer
输出相应的内容:@GET
public Data getData(@QueryParam("id") Long id , @QueryParam("locale") Locale locale)
'
Data
'本身包含各种语言环境变体,我希望获得分配的语言环境输出。但是,当我从参数获取
locale
时,我不知道如何将locale
值传递给DataSerializer
……反正有实现这个目标吗?
除了这个解决方案:
Data data = dataService.getData(id.get() , locale);
这不是我想要的。
看来
ThreadLocal
是实现此目标的唯一方法,但我觉得这很丑。还有其他可行的解决方案吗?谢谢。
环境:dropwizard-0.7.0-rc2,jackson-core:jar:2.3.1
=====================更新===========
回复@ andrei-i:
因为我的数据本身已经包含各种语言环境版本。
例如 :
Data helloData = dataService.get("hello");
helloData.getName(Locale.English) == "Hello";
helloData.getName(Locale.France) == "Bonjour";
helloData.getName(Locale.Germany) == "Hallo";
我想直接将URL的语言环境传递给JsonSerializer,以获取数据表示的一种版本。
并且“可能”还有其他版本(而不仅仅是语言环境),因此,不考虑继承数据混合语言环境。
最佳答案
我知道这不是一个新问题,但这是我面对类似问题时想到的:
@Target({ ElementType.FIELD, ElementType.TYPE, ElementType.METHOD })
@Retention(RetentionPolicy.RUNTIME)
public @interface JsonLocalizable {
public String localizationKey();
}
public class LocalizingSerializer extends StdSerializer<String> implements ContextualSerializer {
private String localizationKey;
public LocalizingSerializer() {
super(String.class);
}
public LocalizingSerializer(String key) {
super(String.class);
this.localizationKey = key;
}
@Override
public void serialize(String value, JsonGenerator jgen, SerializerProvider provider) throws IOException, JsonGenerationException {
String localizedValue = //.... get the value using localizationKey
jgen.writeString(localizedValue);
}
@Override
public JsonSerializer<?> createContextual(SerializerProvider prov, BeanProperty property) throws JsonMappingException {
String key = null;
JsonLocalizable ann = null;
if (property != null) {
ann = property.getAnnotation(JsonLocalizable.class);
}
if (ann != null) {
key = ann.localizationKey();
}
//if key== null??
return new LocalizingSerializer(key);
}
}
public class TestClass {
@JsonSerialize(using = LocalizingSerializer.class)
@JsonLocalizable(localizationKey = "my.key")
private String field;
public String getField() {
return this.field;
}
public void setField(String field) {
this.field = field;
}
}