我试图重置节点的值,但由于某种原因,更改没有反映出来。我通过XPATH
获得了标记,但它没有设置我给出的值。
reqXML是XML文件
我的代码
public static String changeProductVersion(String reqXML) {
try {
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
Document document = null;
DocumentBuilder builder = factory.newDocumentBuilder();
InputSource source = new InputSource();
source.setCharacterStream(new StringReader(reqXML));
document = builder.parse(source);
XPath xPath = XPathFactory.newInstance().newXPath();
Element element = (Element) xPath.evaluate(NYPG3Constants.NY_PG3_RL, document, XPathConstants.NODE);
if(element != null) {
element.setTextContent("17.1.0");
System.out.println(element.getTextContent());
}
} catch (Exception ex) {
ex.printStackTrace();
}
return reqXML;
}
提前致谢
答案 0 :(得分:1)
我不得不做出一些假设和改变,因为我不知道您的XML文档是什么样的。但是,Element
类扩展了Node
,setTextContent
是Node
上的方法。您需要更新的是第一个子节点,它通常是元素的文本值,但您应该添加一些验证以确保。然后,一旦您更新了文本值,您需要将DOM序列化为其来自的任何形式:
public static String changeProductVersion(String reqXML, String xpathExpression) {
Document document = null;
String updatedXML = null;
try {
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
InputSource is = new InputSource();
is.setCharacterStream(new StringReader(reqXML));
document = builder.parse(is);
XPath xPath = XPathFactory.newInstance().newXPath();
Element element = (Element) xPath
.compile(xpathExpression)
.evaluate(document, XPathConstants.NODE);
if(element != null) {
NodeList childNodes = element.getChildNodes();
// Get the first node which should be the text value.
// Add some validation to make sure Node == Node.TEXT_NODE.
Node node = (Node) childNodes.item(0);
node.setTextContent("17.1.0");
}
System.out.println("Updated element value: " + element.getTextContent());
// Serialise the updated DOM
TransformerFactory transformerFactory = TransformerFactory.newInstance();
Transformer transformer = transformerFactory.newTransformer();
DOMSource source = new DOMSource(document);
StreamResult result = new StreamResult(new StringWriter());
transformer.transform(source, result);
updatedXML = result.getWriter().toString();
} catch (Exception ex) {
ex.printStackTrace();
}
System.out.println(updatedXML);
return updatedXML;
}