Ask

I am trying to produce a XML document using the newest JDOM package. I'm having trouble with the root element and the namespaces. I need to produce this root element:

<ManageBuildingsRequest 
   
xmlns="http://www.energystar.gov/manageBldgs/req"
   
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
   
xsi:schemaLocation="http://www.energystar.gov/manageBldgs/req
                        http://estar8.energystar.gov/ESES/ABS20/Schemas/ManageBuildingsRequest.xsd"
>

I use this code:

Element root = new Element("ManageBuildingsRequest");
root
.setNamespace(Namespace.getNamespace("http://www.energystar.gov/manageBldgs/req"));
Namespace XSI = Namespace.getNamespace("xsi", "http://www.w3.org/2001/XMLSchema-instance");
root
.addNamespaceDeclaration(XSI);
root
.setAttribute("schemaLocation", "http://www.energystar.gov/manageBldgs/req http://estar8.energystar.gov/ESES/ABS20/Schemas/ManageBuildingsRequest.xsd", XSI);

Element customer = new Element("customer");
root
.addContent(customer);
doc
.addContent(root); // doc jdom Document

However, the next element after ManageBuildingsRequest has the default namespace as well, which breaks the validation:

<customer xmlns="">

Any help? Thank you for your time.


Answer

The constructor you're using for the customer element creates it with no namespace. You should use the constructor with the Namespace as parameter. You can also reuse the same Namespace object for both root and customer elements.

Namespace namespace = Namespace.getNamespace("http://www.energystar.gov/manageBldgs/req");
Element root = new Element("ManageBuildingsRequest", namespace);
Namespace XSI = Namespace.getNamespace("xsi", "http://www.w3.org/2001/XMLSchema-instance");
root
.addNamespaceDeclaration(XSI);
root
.setAttribute("schemaLocation", "http://www.energystar.gov/manageBldgs/req http://estar8.energystar.gov/ESES/ABS20/Schemas/ManageBuildingsRequest.xsd", XSI);

Element customer = new Element("customer", namespace);
root
.addContent(customer);
doc
.addContent(root); // doc jdom Document


Here's an alternate approach that implements a custom XMLOutputProcessor that skips emitting empty namespace declarations:

public class CustomXMLOutputProcessor extends AbstractXMLOutputProcessor {
   
protected void printNamespace(Writer out, FormatStack fstack, Namespace ns)
           
throws java.io.IOException {
       
System.out.println("namespace is " + ns);
       
if (ns == Namespace.NO_NAMESPACE) {
           
System.out.println("refusing to print empty namespace");
           
return;
       
} else {
           
super.printNamespace(out, fstack, ns);
       
}
   
}
}


출처 - http://stackoverflow.com/questions/8359150/namespaces-default-in-jdom










'Development > Java' 카테고리의 다른 글

java - Timer 및 TimerTask Class  (0) 2012.10.06
java - 가비지 컬렉션(Garbage Collection)  (0) 2012.10.05
java - 파일 읽기 및 쓰기  (0) 2012.10.04
java - 디렉토리 생성, 삭제  (0) 2012.10.04
java - JDOM  (0) 2012.10.02
Posted by linuxism
,