1

我正在尝试使用 JAXB 序列化 XML 中的类。

@XmlRootElement
class Foo
{
   Hashtable<String, Hashtable<String, Integer>> table = new Hashtable<>();

   public Hashtable<String, Hashtable<String, Integer>> getTable() {
     return table;
   }

   public void setTable(Hashtable<String, Hashtable<String, Integer>> t) {
     table = t;
  }
}

但是,这会生成带有空值的 XML(我向您保证这些值确实存在!)

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<Foo>
    <table>
        <entry>
            <key>Test key</key>
            <value/>
        </entry>
    </table>
</Foo>

有没有简单的方法来解决这个问题?我真的不想使用@XmlJavaTypeAdapters,除非我真的必须使用。

使用普通的哈希表可以正常工作:Hashtable<String, Integer>> table = new Hashtable<>();

4

1 回答 1

1

很抱歉让您失望,但目前没有简单的方法来解决它。外部和内部哈希表之间存在显着差异。外部是一个属性,由com.sun.xml.bind.v2.runtime.property.SingleMapNodeProperty<BeanT, ValueT>类在内部处理。这个类做了一些魔术来将映射表示为键/值条目。

但是,在内部 Hashtable 的情况下,它不是“静态”属性,而是动态属性。这就是为什么它由 generic 处理com.sun.xml.bind.v2.model.impl.RuntimeClassInfoImpl。此类在 Hashtable 中找不到任何 JAXB 属性(即 java bean 属性 - 同时具有 getter 和 setter)。结果你得到空value元素。

由于同样的原因,以下动态 Hashtable 属性也不起作用:

@XmlRootElement
@XmlSeeAlso(Hashtable.class)
public static class TypeWithHashtableAsObject {
    private Object property;

    public Object getProperty() {
        return property;
    }

    public void setProperty(Object property) {
        this.property = property;
    }

}

...
TypeWithHashtableAsObject foo = new TypeWithHashtableAsObject();
Hashtable<String, Integer> property = new Hashtable<>();
property.put("innerKey", 12);
foo.setProperty(property);
StringWriter writer = new StringWriter();
marshaller.marshal(foo, writer);
System.out.println(writer.toString());

结果:

<typeWithHashtableAsObject>
    <property xsi:type="hashtable" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"/>
</typeWithHashtableAsObject>

那是空元素。

在另一个答案中,您可以找到更多示例如何编组嵌套集合。另一种解决方案是用另一种类型包装 Hashtable。像表:

public class Table {
    private Hashtable<String, Integer> table = new Hashtable<>();

    public Table(Hashtable<String, Integer> table) {
        this.table = table;
    }

    public Table() {

    }

    public Hashtable<String, Integer> getTable() {
        return table;
    }

    public void setTable(Hashtable<String, Integer> table) {
        this.table = table;
    }

}

并将Foo.table类型更改为Hashtable<String, Table>.

结果比原始结果更详细,但恕我直言,非常一致:

<foo>
   <table>
      <entry>
         <key>key1</key>
         <value>
            <table>
               <entry>
                  <key>innerKey</key>
                  <value>12</value>
               </entry>
            </table>
         </value>
      </entry>
   </table>
</foo>
于 2013-10-18T19:26:43.880 回答