一般来说,Ajax程序中,ResponseXml输出一般使用XML拼接,举例如下:
PrintWriter out = response.getWriter();
data:image/s3,"s3://crabby-images/370e0/370e053b28c0d1e5a884270fad646284f2d183b3" alt=""
out.println("<response>");
List<InOutType> types = service.search(predicate);
out.println("<status>passed</status>");
out.println("<message>查询出的记录数为:" + types.size() + "条</message>");
data:image/s3,"s3://crabby-images/16507/1650758e64773369e558bf6a35239aa629f2eb9d" alt=""
for (InOutType typeTmp : types)
{
out.println("<type>");
out.println("<name>" + typeTmp.getName() + "</name>");
out.println("</type>");
}
out.println("</response>");
个人认为这样的方式用在小规模(编辑器一屏之内)ResponseXml还行,大规模就容易出错了,它有以下缺点:
1.节点开始如<response>和节点结束</response>必须成对书写,容易遗忘出错.
2.节点和子节点关系不清晰.
我设想用dom4j来解决这个问题,具体就是把上述代码中的XML转化成一个Document的节点,这样成对书写问题和节点关系的问题都能解决了.
具体的类如下:
package com.sitinspring.nnyy.util;
data:image/s3,"s3://crabby-images/370e0/370e053b28c0d1e5a884270fad646284f2d183b3" alt=""
import org.dom4j.Document;
import org.dom4j.DocumentHelper;
import org.dom4j.Element;
data:image/s3,"s3://crabby-images/370e0/370e053b28c0d1e5a884270fad646284f2d183b3" alt=""
data:image/s3,"s3://crabby-images/16507/1650758e64773369e558bf6a35239aa629f2eb9d" alt=""
public class XmlAssemble
{
private Document document;
private Element root;
data:image/s3,"s3://crabby-images/4989c/4989c5aa5aeee035dc328aff8277d531300533ab" alt=""
public XmlAssemble(String rootName)
{
document=DocumentHelper.createDocument();
root = document.addElement(rootName);
}
data:image/s3,"s3://crabby-images/4989c/4989c5aa5aeee035dc328aff8277d531300533ab" alt=""
public String getXml()
{
return document.asXML();
}
data:image/s3,"s3://crabby-images/4989c/4989c5aa5aeee035dc328aff8277d531300533ab" alt=""
public Element add(String elmName)
{
return root.addElement(elmName);
}
data:image/s3,"s3://crabby-images/4989c/4989c5aa5aeee035dc328aff8277d531300533ab" alt=""
public Element add(String elmName,String elmTxt)
{
Element elm=root.addElement(elmName);
elm.setText(elmTxt);
return elm;
}
data:image/s3,"s3://crabby-images/a0398/a0398c5eaea7654f53f3ad01f4ef86b30b77f7b1" alt=""
data:image/s3,"s3://crabby-images/4989c/4989c5aa5aeee035dc328aff8277d531300533ab" alt=""
public Element getRoot()
{
return root;
}
}
在这个类的帮助下,原有代码改写为:
List<InOutType> types = service.search(predicate);
XmlAssemble xmlAssemble=new XmlAssemble("response");
xmlAssemble.add("status","passed");
xmlAssemble.add("message","查询出的记录数为:"+ types.size() + "条");
data:image/s3,"s3://crabby-images/16507/1650758e64773369e558bf6a35239aa629f2eb9d" alt=""
for (InOutType typeTmp : types)
{
Element typeElm=xmlAssemble.add("type");
Element nameElm=typeElm.addElement("name");
nameElm.setText(typeTmp.getName());
}
PrintWriter out = response.getWriter();
out.println(xmlAssemble.getXml());
明显,上述代码没有书写问题和节点关系问题,它的书写过程是逐渐深入子节点的,代码连贯性好多了,即使代码超过一屏也能有效控制.
以上.