Jettison或Kryo

时间:2012-07-22 09:39:48

标签: java json serialization deserialization kryo

我目前正在使用JAXB进行我正在研究的项目,并希望将我的库归档xml转换为归档的json,以便在我的项目中执行操作。我想我会使用Jettison,因为它似乎是easier to implement,因为它实际上适用于JAXB;然而,看看没有包含Jettison的Older benchmarks,我发现Kryo产生的文件较小,而序列化和去序列化的速度比某些替代品快。

任何人都可以告诉我关键区别或Jettison如何堆叠到Kryo,尤其是未来的项目,如Android应用程序。

编辑:

我想我正在寻找产生较小文件的内容并且运行速度更快。由于我不打算只读取处理它们的文件,因此可以牺牲人的可读性

2 个答案:

答案 0 :(得分:3)

它们用于不同的目的:

  • Jettison用于读/写JSON。如果您需要使用JSON(人类可读)数据格式进行interoperte,请使用它
  • Kryo用于高效的二进制序列化。如果您需要高性能和小编码对象大小(例如,在实时游戏中进行消息通信),请使用它。

由于听起来您使用的是格式化数据,因此人类可读性和使用标准的长寿命格式可能比效率更重要,因此我怀疑您会选择JSON路径。

答案 1 :(得分:1)

注意:我是EclipseLink JAXB (MOXy)主管,是 JAXB (JSR-222) 专家组的成员。

由于您已经建立了JAXB映射并且正在将XML转换为JSON,因此您可能对EclipseLink JAXB(MOXy)感兴趣,它提供了使用相同JAXB元数据的对象到XML和对象到JSON映射。

<强>客户

以下是带有JAXB注释的示例模型。

package forum11599191;

import java.util.List;
import javax.xml.bind.annotation.*;

@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Customer {

    @XmlAttribute
    private int id;

    private String firstName;

    @XmlElement(nillable=true)
    private String lastName;

    private List<String> email;

}

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

<强> input.xml中

<?xml version="1.0" encoding="UTF-8"?>
<customer id="123" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
    <firstName>Jane</firstName>
    <lastName xsi:nil="true"/>
    <email>jdoe@example.com</email>
</customer>

<强>演示

以下演示代码将从XML填充对象,然后输出JSON。注意MOXy上没有编译时依赖性。

package forum11599191;

import java.io.File;
import javax.xml.bind.*;

public class Demo {

    public static void main(String[] args) throws Exception {
        JAXBContext jc = JAXBContext.newInstance(Customer.class);

        // Unmarshal from XML
        Unmarshaller unmarshaller = jc.createUnmarshaller();
        File xml = new File("src/forum11599191/input.xml");
        Customer customer = (Customer) unmarshaller.unmarshal(xml);

        // Marshal to JSON
        Marshaller marshaller = jc.createMarshaller();
        marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
        marshaller.setProperty("eclipselink.media-type", "application/json");
        marshaller.marshal(customer, System.out);
    }

}

JSON输出

以下是运行演示代码的输出。

{
   "customer" : {
      "id" : 123,
      "firstName" : "Jane",
      "lastName" : null,
      "email" : [ "jdoe@example.com" ]
   }
}

关于输出的一些注意事项:

  1. 由于id字段是数字类型,因此它被编组为JSON而没有引号。
  2. 即使id字段已与@XmlAttribute映射,但在JSON消息中也没有特别指示。
  3. email属性的大小为List,这在JSON输出中正确显示。
  4. xsi:nil机制用于指定lastName字段具有null值,这已被转换为JSON输出中的正确空值表示。
  5. 了解更多信息