3

我有一个用@XmlRootElement. 这个 Java 类有一个长属性 ( private long id),我想将它返回给 JavaScript 客户端。

我按如下方式创建 JSON:

MyEntity myInstance = new MyEntity("Benny Neugebauer", 2517564202727464120);
StringWriter writer = new StringWriter();
JSONConfiguration config = JSONConfiguration.natural().build();
Class[] types = {MyEntity.class};
JSONJAXBContext context = new JSONJAXBContext(config, types);
JSONMarshaller marshaller = context.createJSONMarshaller();
marshaller.marshallToJSON(myInstance, writer);
json = writer.toString();
System.out.println(writer.toString());

这将生成:

{"name":"Benny Neugebauer","id":2517564202727464120}

但问题是长值对于 JavaScript 客户端来说太大了。因此,我想将此值作为字符串返回(而不是在 Java 中将 long 设为字符串)。

是否有可以生成以下内容的注释(或类似的东西)?

{"name":"Benny Neugebauer","id":"2517564202727464120"}
4

1 回答 1

2

注意: 我是EclipseLink JAXB (MOXy)负责人,也是JAXB (JSR-222)专家组的成员。

下面是如何使用 MOXy 作为 JSON 提供者来完成这个用例。

我的实体

您将使用注释您的long属性@XmlSchemaType(name="string")以指示它应该编组为String.

package forum11737597;

import javax.xml.bind.annotation.*;

@XmlRootElement
public class MyEntity {

    private String name;
    private long id;

    public MyEntity() {
    }

    public MyEntity(String name, long id) {
        setName(name);
        setId(id);
    }

    public String getName() {
        return name;
    }

    public void setName(String name) {
        this.name = name;
    }

    @XmlSchemaType(name="string")
    public long getId() {
        return id;
    }

    public void setId(long id) {
        this.id = id;
    }

}

jaxb.properties

要将 MOXy 配置为您的 JAXB 提供程序,您需要包含一个jaxb.properties在与域模型相同的包中调用的文件(请参阅: http ://blog.bdoughan.com/2011/05/specifying-eclipselink-moxy-as-your.html )。

javax.xml.bind.context.factory=org.eclipse.persistence.jaxb.JAXBContextFactory

演示

我已经修改了您的示例代码,以显示如果您使用 MOXy 会是什么样子。

package forum11737597;

import java.io.StringWriter;
import java.util.*;
import javax.xml.bind.*;
import org.eclipse.persistence.jaxb.JAXBContextProperties;

public class Demo {

    public static void main(String[] args) throws Exception {
        MyEntity myInstance = new MyEntity("Benny Neugebauer", 2517564202727464120L);
        StringWriter writer = new StringWriter();
        Map<String, Object> config = new HashMap<String, Object>(2);
        config.put(JAXBContextProperties.MEDIA_TYPE, "application/json");
        config.put(JAXBContextProperties.JSON_INCLUDE_ROOT, false);
        Class[] types = {MyEntity.class};
        JAXBContext context = JAXBContext.newInstance(types, config);
        Marshaller marshaller = context.createMarshaller();
        marshaller.marshal(myInstance, writer);
        System.out.println(writer.toString());
    }

}

输出

下面是运行演示代码的输出:

{"id":"2517564202727464120","name":"Benny Neugebauer"}

了解更多信息

于 2012-07-31T11:00:28.643 回答