当我将Object转换为Json时,我遇到了BigDecimal Precision失败的问题 假设我有Pojo类,
public class DummyPojo {
private BigDecimal amount;
private String id;
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public BigDecimal getAmount() {
return amount;
}
public void setAmount(BigDecimal amount) {
this.amount = amount;
}
}
现在我正在为Pojo设置值,然后转换为JSON
public static void main(String[] args) {
BigDecimal big = new BigDecimal("1000.0005");
JSONObject resultJson = new JSONObject();
DummyPojo summary = new DummyPojo();
summary.setId("A001");
summary.setAmount(big);
resultJson.put("summary",new Gson().toJson(summary));
String result = resultJson.toString();
System.out.println(result);
}
第一次测试 - 正确输出
Output -> {"summary":{"amount":1000.0005,"id":"A001"}}
第二次测试 - 输出错误(丢失BigDecimal精度)
BigDecimal big = new BigDecimal("1234567.5555"); //Changed the value
Output -> {"summary":{"amount":1234567.5,"id":"A001"}}
第3次测试 - 输出错误(丢失BigDecimal精度)
BigDecimal big = new BigDecimal("100000.0005"); //Changed the value
Output -> {"summary":{"amount":100000,"id":"A001"}}
令人惊讶的是,每当BigDecimal值更长时,它也会截断小数位。 json coversion有什么问题。你能帮我解决一下吗?
答案 0 :(得分:3)
我认为您将Java EE 7 JSONObject与GSON JsonObject混合在一起。 Gson似乎没有你提到的问题:
public static void main(String[] args) {
BigDecimal big = new BigDecimal("1234567.5555");
DummyPojo summary = new DummyPojo();
JsonObject resultJson = new JsonObject(); //this is Gson not Java EE 7
summary.setId("A001");
summary.setAmount(big);
resultJson.addProperty("summary", new Gson().toJson(summary));
System.out.println(resultJson.toString());
//Outputs: {"summary":"{\"amount\":1234567.5555,\"id\":\"A001\"}"}
}