I am suppose to have a method called save()
which should marshal the list of computer parts in the right panel to an XML file. In reverse, another method called
Just create a class Parts
to hold a List
. Then you can just marshal/unmarshal to an instance of that class.
@XmlRootElement
@XmlAccessorType(XmlAccessType.FIELD)
public class Parts {
@XmlElement(name = "part")
private List part;
public List getPart() { return part; }
public void setPart(List part) { this.part = part; }
}
As for the marshalling (save), you would create a Marshaller
by creating a JAXBContext
using the Parts
class. The just call marshal
on the marshaller.
See some of the overloaded marshal methods (notice File
)
private void doSaveCommand() throws Exception {
ArrayList save = new ArrayList<>();
for (int i = 0; i < destination.size(); i++) {
save.add((String)destination.getElementAt(i));
}
Parts parts = new Parts();
parts.setPart(save);
JAXBContext context = JAXBContext.newInstance(Parts.class);
Marshaller marshaller = context.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(parts, System.out);
}
Note you have a little design problem. The DefaultListModels
that need to be accessed, can't be because the listener code is in a static
context, and models are not static
. I just made the models static
to get it to work, but you'll want to redesign your code a bit. Here is the result (to standard output - you will to marshal to file).
Case
Motherboard
CPU
I'll let you work on the unmarshalling on your own. This should get you started.
Some Resource