XML Validation – Writing Valid Test Cases for XMLs

junitunit testingvalidationxml

How would I write a unit test, say JUnit, for validating an XML file?

I have an application that creates a document as an XML file. In order to validate this XML structure, do I need to create an XML mock object and compare each of its elements against the ones in the 'actual' XML file?

IF SO: Then what is the best practice for doing so? e.g. would I use the XML data from the 'actual' XML file to create the mock object? etc.

IF NOT: What is a valid unit test?

Best Answer

To validate an XML file, you first need an XML Schema Definition (XSD) that describes the structure of a valid XML document. You can find the specification for XSD files at W3C.

Going into how to build the XSD requires knowing how your XML should be structured.

For detailed information about the actual Java implementation of this, check out What's the best way to validate an XML file against an XSD file? on StackOverflow.

Relevant code from that post:

import javax.xml.XMLConstants;
import javax.xml.transform.Source;
import javax.xml.transform.stream.StreamSource;
import javax.xml.validation.*;
...

URL schemaFile = new URL("http://java.sun.com/xml/ns/j2ee/web-app_2_4.xsd");
Source xmlFile = new StreamSource(new File("web.xml"));
SchemaFactory schemaFactory = SchemaFactory
    .newInstance(XMLConstants.W3C_XML_SCHEMA_NS_URI);
Schema schema = schemaFactory.newSchema(schemaFile);
Validator validator = schema.newValidator();
try {
  validator.validate(xmlFile);
  System.out.println(xmlFile.getSystemId() + " is valid");
} catch (SAXException e) {
  System.out.println(xmlFile.getSystemId() + " is NOT valid");
  System.out.println("Reason: " + e.getLocalizedMessage());
}