我有xml字符串文件,我想在xml字符串文件的seconed行添加xml-stylesheet。 但是下面给出的代码给出了这样的输出: 首先是xml-string文件,然后在xml字符串文件的末尾附加xml-stylesheet,但我希望样式表位于我的xml-string的seconed行。请告诉我该怎么做。 感谢。
我的代码是:
public class StringToDocumentToString {
public static void main(String[] args)
throws TransformerConfigurationException {
String xmlstring = null;
String filepath = "E:/C-CDA/MU2_CDA_WORKSPACE/AddingStylesheetTOxml/documentfile.txt";
final String xmlStr = "<?xml version=\"1.0\" encoding=\"UTF-8\" standalone=\"yes\"?>\n"
+ "<Emp id=\"1\"><name>Pankaj</name><age>25</age>\n"
+ "<role>Developer</role><gen>Male</gen></Emp>";
Document doc2 = convertStringToDocument(xmlStr);
Document doc1 = null;
try {
doc1 = addingStylesheet(doc2);
} catch (ParserConfigurationException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
String str = convertDocumentToString(doc1);
System.out.println(str);
}
private static <ProcessingInstructionImpl> Document addingStylesheet(
Document doc) throws TransformerConfigurationException,
ParserConfigurationException {
ProcessingInstructionImpl pi = (ProcessingInstructionImpl) doc
.createProcessingInstruction("xml-stylesheet",
"type=\"text/xsl\" href=\"my.stylesheet.xsl\"");
Element root = doc.createElement("root-element");
doc.appendChild(root);
doc.insertBefore((Node) pi, root);
return doc;
}
private static String convertDocumentToString(Document doc) {
TransformerFactory tf = TransformerFactory.newInstance();
Transformer transformer;
try {
transformer = tf.newTransformer();
// below code to remove XML declaration
// transformer.setOutputProperty(OutputKeys.OMIT_XML_DECLARATION,
// "yes");
StringWriter writer = new StringWriter();
transformer.transform(new DOMSource(doc), new StreamResult(writer));
String output = writer.getBuffer().toString();
return output;
} catch (TransformerException e) {
e.printStackTrace();
}
return null;
}
private static Document convertStringToDocument(String xmlStr) {
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder;
Document doc = null;
try {
builder = factory.newDocumentBuilder();
doc = builder.parse(new InputSource(new StringReader(xmlStr)));
} catch (Exception e) {
e.printStackTrace();
}
return doc;
}
}
答案 0 :(得分:1)
语句Element root = doc.createElement("root-element");
创建一个名为root-element
的新元素,当您调用doc.appendChild(root);
时,实际上是将其附加到文档的末尾。因此,在这两个声明之后,您的文档将是这样的:
<?xml version="1.0" encoding="UTF-8"?>
<Emp id="1">
<name>Pankaj</name>
<age>25</age>
<role>Developer</role>
<gen>Male</gen>
</Emp>
<root-element/>
然后你有doc.insertBefore((Node) pi, root);
导致在这个新添加的元素之前添加样式表处理指令。
要解决此问题,您必须检索指向文档根元素的指针(而不是添加名为root-element
的新元素),然后在它之前添加pi。这可以通过调用getDocumentElement()
对象的doc
方法来实现。因此,为了解决问题,您只需在main
方法中使用以下代码:
Element root = doc.getDocumentElement();
doc.insertBefore((Node) pi, root);