用dom4j设置xml文件输出时格式

当我们在用dom4j处理xml文件输出的时候可能会遇到以下的问题,就是我们要求每个element中的text保留我写入的原始信息,比如说空格不能被去除;

比如说我们要输出xml文件中的内容为:

<!--lversion="1.0"encoding="gb2312--><?xmlversion="1.0"encoding="gb2312"?>

<root>

<authorname="James"location="UK">JamesStrachan</author>

<authorname="Bob"location="US">中国BobMcWhirter</author>

</root>

注意author中的内容包括很多的空格;

不妨假设我们已经用以下的方法实现了对上面document的写入:

publicDocumentcreateDocument(){

Documentdocument=DocumentHelper.createDocument();

Elementroot=document.addElement("root");

Elementauthor1=root.addElement("author")

.addAttribute("name","James")

.addAttribute("location","UK")

.addText("JamesStrachan");

Elementauthor2=root.addElement("author")

.addAttribute("name","Bob")

.addAttribute("location","US")

.addText("中国BobMcWhirter");

returndocument;

}

dom4j中把document直接或者任意的node写入xml文件时有两种方式:

1、这也是最简单的方法:直接通过write方法输出,如下:

FileWriterfw=newFileWriter("test.xml");

document.write(fw);

此时输出的xml文件中为默认的UTF-8编码,没有格式,空格也没有去除,实际上就是一个字符串;其输出如下:

<!--lversion="1.0"encoding="UTF-8--><?xmlversion="1.0"encoding="UTF-8"?>

<root>
    <author name="James" location="UK">James Strachan</author>
    <author name="Bob" location="US">         中国  Bob McWhirter        </author>
</root>

2、用XMLWriter类中的write方法,此时可以自行设置输出格式,比如紧凑型、缩减型:

OutputFormatformat=OutputFormat.createPrettyPrint();//缩减型格式

//OutputFormatformat=OutputFormat.createCompactFormat();//紧凑型格式

format.setEncoding("gb2312");//设置编码

//format.setTrimText(false);//设置text中是否要删除其中多余的空格

XMLWriterxw=newXMLWriter(fw,format);

xw.write(dom.createDocument());

此时输出的xml文件中为gb2312编码,缩减型格式,但是多余的空格已经被清除:

<?xml version="1.0" encoding="gb2312"?>
<root>

<authorname="James"location="UK">JamesStrachan</author>

<authorname="Bob"location="US">中国BobMcWhirter</author>

</root>
如果想要对xml文件的输出格式进行设置,就必须用XMLWriter类,但是我们又需要保留其中的空格,此时我们就需要对format进行设置,也就是加上一句format.setTrimText(false);

这样就可以既保持xml文件的输出格式,也可以保留其中的空格,此时的输出为:

<?xml version="1.0" encoding="gb2312"?>
<root>

<authorname="James"location="UK">JamesStrachan</author>

<authorname="Bob"location="US">中国BobMcWhirter</author>

</root>
ps:element中attribute中的值如果有空格的话在任何情况下是都不会去除空格的;

相关推荐