作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
要将字节数组作为十六进制传递,我们可以使用:
@XmlElement
@XmlJavaTypeAdapter(HexBinaryAdapter.class)
private byte[] data;
我们如何传输十六进制格式的单个字节?使用下面的代码是行不通的。当我尝试像这样阅读它时,我得到:HTTP Status 500 - Internal Server Error
。
@XmlAttribute
@XmlJavaTypeAdapter(HexBinaryAdapter.class)
private byte id;
最佳答案
您可以执行以下操作:
XmlAdapter(ByteAdapter)
您可以创建自己的 XmlAdapter
,在 Byte
和所需的十六进制 String
之间进行转换。
import javax.xml.bind.DatatypeConverter;
import javax.xml.bind.annotation.adapters.XmlAdapter;
public class ByteAdapter extends XmlAdapter<String, Byte> {
@Override
public Byte unmarshal(String v) throws Exception {
return DatatypeConverter.parseHexBinary(v)[0];
}
@Override
public String marshal(Byte v) throws Exception {
return DatatypeConverter.printHexBinary(new byte[] {v});
}
}
领域模型
为了让 XmlAdapter
能够在所有 JAXB (JSR-222) 上工作在实现中,它需要放置在 Byte
类型的字段/属性上,而不是 byte
类型。在此示例中,我们将创建字段 Byte
并利用 JAXB 的字段访问来保留 byte
类型的属性。我们将利用 @XmlSchemaType
注释来指定相应的架构类型为 hexBinary
。
import javax.xml.bind.annotation.*;
import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;
@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Foo {
@XmlJavaTypeAdapter(ByteAdapter.class)
@XmlSchemaType(name="hexBinary")
public Byte bar;
public byte getBar() {
return bar;
}
public void setBar(byte bar) {
this.bar = bar;
}
}
演示
下面是一些代码,您可以运行来证明一切正常。
import java.io.File;
import javax.xml.bind.*;
public class Demo {
public static void main(String[] args) throws Exception {
JAXBContext jc = JAXBContext.newInstance(Foo.class);
Unmarshaller unmarshaller = jc.createUnmarshaller();
File xml = new File("src/forum17483278/input.xml");
Foo foo = (Foo) unmarshaller.unmarshal(xml);
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(foo, System.out);
}
}
输入.xml/输出
<?xml version="1.0" encoding="UTF-8"?>
<foo>
<bar>2B</bar>
</foo>
关于java - JAX-RS + JAXB (XML) -- 如何将单个字节作为十六进制传递?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/17483278/
我是一名优秀的程序员,十分优秀!