泽西(+杰克逊)地图字段序列化

时间:2011-04-05 18:45:33

标签: json jaxb jersey jackson

我有一个简单的球衣网络服务,我想使用/生成包含地图字段的对象,比如

@XmlElement
private Map<String,String> properties;

如果此字符串进入Web服务,

{ properties: { key1: val1, key2: val2 )}

属性字段被反序列化为null,没有错误。相同的JSON进出GSON没有任何问题,并且在短期内我通过让jersey消耗产生字符串并使用GSON序列化/反序列化JSON来解决这个问题。

任何想法? 感谢。

2 个答案:

答案 0 :(得分:1)

一种选择是使用带注释的类。因此,例如,用户可能由以下数据表示。

import javax.xml.bind.annotation.XmlRootElement;

@XmlRootElement(name = "user")
public class User { 
    private int uid;
    public int user_id;
    public String user_name;
    public String email;
    public URI image_url;
    public List<User> friends;
    public boolean admin;

    public User() {
        ...
    }
    public User(final int userid) {
        // Find user by id
    }
}

如果您返回User对象,如下面的代码片段,那么jaxb将自动将List序列化为JSON列表等等....

@GET
@Path("/{userid}")
@Produces("application/json", "application/xml")
    public User showUser(@PathParam("userid") final int userid) {
        return new User(userid);
}

答案 1 :(得分:0)

Jersey使用JAXB进行序列化。 JAXB无法序列化Map,因为Java类型Map没有XML类型。此外,Map是一个接口,JAXB不喜欢接口。 如果您使用JAXBJackson桥来编组,则会遇到问题。

您需要创建一个如下所示的适配器,并使用

注释您的Map属性
@XmlJavaTypeAdapter(MapAdapter.class)
private Map<String,String> properties;

@XmlSeeAlso({ Adapter.class, MapElement.class })
public class MapAdapter<K,V> extends XmlAdapter<Adapter<K,V>, Map<K,V>>{


  @Override
  public Adapter<K,V> marshal(Map<K,V> map) throws Exception {

    if ( map == null )
      return null;

    return new Adapter<K,V>(map);
  }


  @Override
  public Map<K,V> unmarshal(Adapter<K,V> adapter) throws Exception {
    throw new UnsupportedOperationException("Unmarshalling a list into a map is not supported");
  }

  @XmlAccessorType(XmlAccessType.FIELD)
  @XmlType(name="Adapter", namespace="MapAdapter")
  public static final class Adapter<K,V>{

    List<MapElement<K,V>> item;

    public Adapter(){}

    public Adapter(Map<K,V> map){
      item = new ArrayList<MapElement<K,V>>(map.size());
      for (Map.Entry<K, V> entry : map.entrySet()) {
        item.add(new MapElement<K,V>(entry));
      }      
    }
  }

  @XmlAccessorType(XmlAccessType.FIELD)
  @XmlType(name="MapElement", namespace="MapAdapter")
  public static final class MapElement<K,V>{

    @XmlAnyElement
    private K key;

    @XmlAnyElement
    private V value; 

    public MapElement(){};

    public MapElement(K key, V value){
      this.key = key;
      this.value = value;
    }

    public MapElement(Map.Entry<K, V> entry){
      key = entry.getKey();
      value = entry.getValue();
    }

    public K getKey() {
      return key;
    }

    public void setKey(K key) {
      this.key = key;
    }

    public V getValue() {
      return value;
    }

    public void setValue(V value) {
      this.value = value;
    }


  }

}