[Solved] How to convert Java objects to XML element attributes using JAXB


This is how your Meta class should look like.

public class Meta {

    private String uc;
    private String pip;
    private String lot;

    public String getUc() {
        return uc;
    }

    @XmlAttribute
    public void setUc(String uc) {
        this.uc = uc;
    }

    public String getPip() {
        return pip;
    }

    @XmlAttribute
    public void setPip(String pip) {
        this.pip = pip;
    }

    public String getLot() {
        return lot;
    }

    @XmlAttribute
    public void setLot(String lot) {
        this.lot = lot;
    }
}

this is your Case class which is the root element

@XmlRootElement
public class Case {

    private int version;
    private String code;
    private String id;
    private Meta meta;

    public int getVersion() {
        return version;
    }

    @XmlElement
    public void setVersion(int version) {
        this.version = version;
    }

    public String getCode() {
        return code;
    }

    @XmlElement
    public void setCode(String code) {
        this.code = code;
    }

    public String getId() {
        return id;
    }

    @XmlElement
    public void setId(String id) {
        this.id = id;
    }

    public Meta getMeta() {
        return meta;
    }

    @XmlElement
    public void setMeta(Meta meta) {
        this.meta = meta;
    }
}

And this is the marshaling bit to the console and to the file it you want.

public class Main {

    public static void main(String... args) {

        Case fcase = new Case();
        Meta meta = new Meta();

        meta.setLot("asd");
        meta.setPip("sdafa");
        meta.setUc("asgd4");

        fcase.setMeta(meta);
        fcase.setVersion(1);
        fcase.setId("sah34");
        fcase.setCode("code34");

        try {

//            File file = new File("C:\\file.xml");
            JAXBContext jaxbContext = JAXBContext.newInstance(Case.class, Meta.class);
            Marshaller jaxbMarshaller = jaxbContext.createMarshaller();

            // output pretty printed
            jaxbMarshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);

//            jaxbMarshaller.marshal(fcase, file);
            jaxbMarshaller.marshal(fcase, System.out);

        } catch (JAXBException e) {
            e.printStackTrace();
        }

    }

}

Output:

<case>
  <code>code34</code>
  <id>sah34</id>
  <meta lot="asd" pip="sdafa" uc="asgd4"/>
  <version>1</version>
</case>

Next time please try to do more research i am not an expert and I just googled it.

https://www.mkyong.com/java/jaxb-hello-world-example/

3

solved How to convert Java objects to XML element attributes using JAXB