5

我正在尝试根据以下 avro 模式创建 JSON 字符串,用于十进制值。 https://avro.apache.org/docs/1.8.2/spec.html#Logical+Types

{
 "name": "score",
 "type": "bytes",
 "logicalType": "decimal",
 "precision": 10,
 "scale": 5
 }

价值

"score":3.4,

我得到了例外

Caused by: org.apache.avro.AvroTypeException: Expected bytes. Got VALUE_NUMBER_FLOAT.

如果我给出“\u0000”而不是 3.4,那么它可以工作,但这是 0 的表示,我将如何获得 3.4 的表示?现在我正在创建硬编码的 JSON 字符串,但将来我必须将输出转换为十进制,我如何在 scala 中做到这一点。

有没有办法将值转换为十进制逻辑格式?

4

1 回答 1

5

Java代码:

byte[] score = new BigDecimal("3.40000").unscaledValue().tobyteArray();
for (byte b : score) {​
    System.out.println(String.format("\\u%04x", b));
}

将打印出以下内容:

\u00fa
\u00cf
\u00e0

然后,您需要像这样编写 json 得分值:

"score":"\u00fa\u00cf\u00e0",

它应该转换为 3.40000。3. 40000的原因是因为架构中的 'scale' 的值为 5。如果 scale 的值为 2,那么我们将有 new BigDecimal("3.40")

用于将 BigDecimal 转换为 json 的 Scala 函数,因此 avro 会理解它

def toJsonString(value: java.math.BigDecimal): String = {
    val bytes = value.unscaledValue().toByteArray
    bytes
      .map(_.formatted("\\u%04x"))
      .mkString
}
于 2020-05-11T08:40:34.630 回答