3

给定以下课程:

@XmlRootElement(name = "Person")
@AutoValue
@CopyAnnotations
public abstract class Person {

  @XmlElement
  abstract String name();

  public static Builder builder() {
    return new AutoValue_Person.Builder();
  }

  @AutoValue.Builder
  public abstract static class Builder {

    public abstract Builder name(String name);

    public abstract Person build();
  }
}

当我运行时:

Person person = Person.builder().name("Test").build();
StringWriter stringWriter = new StringWriter();
JAXB.marshal(person, stringWriter);
String xmlContent = stringWriter.toString();
System.out.println(xmlContent);

我总是得到:

com.example.commands.AutoValue_Person does not have a no-arg default constructor.
    this problem is related to the following location:
        at com.example.commands.AutoValue_Person
JAXB annotation is placed on a method that is not a JAXB property
    this problem is related to the following location:
        at @javax.xml.bind.annotation.XmlElement(name=##default, namespace=##default, type=class javax.xml.bind.annotation.XmlElement$DEFAULT, required=false, defaultValue=�, nillable=false)
        at com.example.commands.AutoValue_Person

我想让它工作而无需按照http://blog.bdoughan.com/2010/12/jaxb-and-immutable-objects.html中的建议创建适配器。我有太多的数据对象,我不想复制它们中的每一个。好奇的是,在 GitHub 中似乎有大量使用 JAXB 的 AutoValue 而不使用适配器:https ://github.com/search?q=XmlRootElement+autovalue&type=Code

4

1 回答 1

1

在研究了您的github链接后,我实际上意识到了这个问题,特别是这个:https ://github.com/google/nomulus/blob/8f2a8835d7f09ad28806b2345de8d42ebe781fe6/core/src/main/java/google/registry/model/contact/ContactInfoData.java

注意示例 AutoValue Java 类中使用的命名结构,它仍然使用getValandsetVal

这是一个基于我现在可以工作的代码的简单示例:

import com.google.auto.value.AutoValue;

import javax.xml.bind.annotation.XmlAttribute;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlRootElement;
import javax.xml.bind.annotation.XmlType;

@XmlRootElement(name = "Customer")
@XmlType(propOrder = {"name", "age", "id"})
@AutoValue.CopyAnnotations
@AutoValue
public abstract class Customer {

    public static Builder builder() {
        return new AutoValue_Customer.Builder();
    }

    @XmlElement(name = "name")
    abstract String getName();

    @XmlElement(name = "age")
    abstract int getAge();

    @XmlAttribute(name = "id")
    abstract int getId();

    @AutoValue.Builder
    public abstract static class Builder {
        public abstract Builder setName(String name);

        public abstract Builder setAge(int age);

        public abstract Builder setId(int id);

        public abstract Customer build();
    }
}

请注意,我setName(String name)在构建器中使用,但String getName()在类本身中使用。尝试将您的代码重构为这些约定。

于 2020-01-14T19:12:35.297 回答