1 回答
TA贡献1831条经验 获得超4个赞
您的问题是由于滥用 xml 注释造成的。您可以Tuple2通过使用 注释将 a 定义为 xml 根元素@XmlRootElement,并通过使用 注释 get 方法将其字段定义为 xml 属性@XmlAttribute。翻译过来就是:
<tuple2 first="first_attributes_vale" second="second_attributes_value" />
现在,两个字段都是 类型,通过使用 注释该类Coords来将其声明为另一个 xml 元素,并且其字段为 xml 属性。当序列化为 xml 时,它将是:Coords@XmlRootElementCoords
<coords x="value" y="value" />
序列化时会出现问题Tuple2。它的字段应该是 xml 属性,但实际上Coords是另一个 xml 元素。Xml 属性不能包含嵌套元素,只能包含值。
解决方案
根据您的需要,您可以通过两种不同的方式解决这个问题。不过,我不推荐第二种方法,因为它很奇怪(即使它有效)并且会在客户端产生额外的工作(请参阅下面的解释)。
第一种方法
使用注释来注释getFirst()和getSecond()方法@XmlElement。
package model;
import static javax.xml.bind.annotation.XmlAccessType.NONE;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlRootElement;
@XmlRootElement
@XmlAccessorType(NONE)
public class Tuple2 {
private Coords c1;
private Coords c2;
public Tuple2(Coords c1, Coords c2) {
this.c1 = c1;
this.c2 = c2;
}
public Tuple2() {
c1 = new Coords(0, 0);
c2 = new Coords(0, 0);
}
@XmlElement
public Coords getFirst() {
return this.c1;
}
@XmlElement
public Coords getSecond() {
return this.c2;
}
}
这将产生如下所示的结果:
<tuple2>
<first x="2" y="4"/>
<second x="12" y="12"/>
</tuple2>
第二种方法
这是解决这个问题的奇怪方法。它可以工作,但会在客户端产生额外的工作,因为 的值Coords被编码为字符串值,并且需要在接收端进行解析。
getFirst()将和方法的返回类型更改getSecond()为String并覆盖toString()的方法Coords。
package model;
import static javax.xml.bind.annotation.XmlAccessType.NONE;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAttribute;
import javax.xml.bind.annotation.XmlRootElement;
@XmlRootElement
@XmlAccessorType(NONE)
public class Tuple2 {
private Coords c1;
private Coords c2;
public Tuple2(Coords c1, Coords c2) {
this.c1 = c1;
this.c2 = c2;
}
public Tuple2() {
c1 = new Coords(0, 0);
c2 = new Coords(0, 0);
}
@XmlAttribute
public String getFirst() {
return this.c1.toString();
}
@XmlAttribute
public String getSecond() {
return this.c2.toString();
}
}
重写toString()以下方法Coords:
package model;
import static javax.xml.bind.annotation.XmlAccessType.NONE;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAttribute;
import javax.xml.bind.annotation.XmlRootElement;
@XmlRootElement
@XmlAccessorType(NONE)
public class Coords {
@XmlAttribute private int x;
@XmlAttribute private int y;
public Coords(final int x, final int y) {
this.x = x;
this.y = y;
}
public Coords() {
this.x = 0;
this.y = 0;
}
public int getX() {
return x;
}
public int getY() {
return y;
}
@Override
public String toString() {
StringBuilder builder = new StringBuilder();
builder.append("Coords [x=");
builder.append(x);
builder.append(", y=");
builder.append(y);
builder.append("]");
return builder.toString();
}
}
这将产生与此类似的结果:
<tuple2 first="Coords [x=2, y=4]" second="Coords [x=12, y=12]"/>
属性first和的值second将是任何方法返回toString()的值Coords。
添加回答
举报