33

I want to form a JSON with two fields mimetype and value.The value field should take byte array as its value.

{

  "mimetype":"text/plain",

  "value":"dasdsaAssadsadasd212sadasd"//this value is of type byte[]

}

How can I accomplish this task?

As of now I am using toString() method to convert the byte array into String and form the JSON.

4

3 回答 3

45

如果您使用 Jackson 进行 JSON 解析,它可以byte[]通过数据绑定自动转换为 Base64 编码字符串。

或者,如果您想要低级别访问,则两者JsonParser都有JsonGenerator二进制访问方法(writeBinary、readBinary)在 JSON 令牌流级别执行相同操作。

对于自动方法,请考虑 POJO,例如:

public class Message {
  public String mimetype;
  public byte[] value;
}

并创建 JSON,你可以这样做:

Message msg = ...;
String jsonStr = new ObjectMapper().writeValueAsString(msg);

或者,更常见的是:

OutputStream out = ...;
new ObjectMapper().writeValue(out, msg);
于 2012-07-19T18:02:00.480 回答
20

您可以像这样编写自己的 CustomSerializer:

public class ByteArraySerializer extends JsonSerializer<byte[]> {

@Override
public void serialize(byte[] bytes, JsonGenerator jgen,
        SerializerProvider provider) throws IOException,
        JsonProcessingException {
    jgen.writeStartArray();

    for (byte b : bytes) {
        jgen.writeNumber(unsignedToBytes(b));
    }

    jgen.writeEndArray();

}

private static int unsignedToBytes(byte b) {
    return b & 0xFF;
  }

}

这个返回一个无符号字节数组表示而不是 Base64 字符串。

如何将它与您的 POJO 一起使用:

public class YourPojo {

    @JsonProperty("mimetype")
    private String mimetype;
    @JsonProperty("value")
    private byte[] value;



    public String getMimetype() { return this.mimetype; }
    public void setMimetype(String mimetype) { this.mimetype = mimetype; }

    @JsonSerialize(using= com.example.yourapp.ByteArraySerializer.class)
    public byte[] getValue() { return this.value; }
    public void setValue(String value) { this.value = value; }


}

这是它的输出示例:

{
    "mimetype": "text/plain",
    "value": [
        81,
        109,
        70,
        122,
        90,
        83,
        65,
        50,
        78,
        67,
        66,
        84,
        100,
        72,
        74,
        108,
        89,
        87,
        48,
        61
    ]
}

PS:这个序列化器是我在 StackOverflow 上找到的一些答案的混合体。

于 2013-02-23T05:16:01.690 回答
3

您可能希望使用Base64将二进制数据转换为字符串。大多数编程语言都有 base64 编码和解码的实现。如果您想在浏览器中解码/编码,请参阅此问题

于 2012-07-18T17:33:44.160 回答