用Java进行xml转换:StreamSource作为源,StreamResult作为结果

javax.xml.transform包中含有处理转换指令、进行源到结果转换的通用API。这些接口不依赖于SAX 或者 DOM 标准。
javax.xml.transform.stream包中提供了流(stream)和URI个性化的转换类。

javax.xml.transform.stream.StreamSource是流式xml转换源的持有者。
javax.xml.transform.stream.StreamResult是流式xml、纯文本、HTML转换结果的持有者。

示例:

package com.thb;

import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import java.util.Properties;

import javax.xml.transform.OutputKeys;
import javax.xml.transform.Source;
import javax.xml.transform.Transformer;
import javax.xml.transform.TransformerFactory;
import javax.xml.transform.stream.StreamResult;
import javax.xml.transform.stream.StreamSource;

public class Demo2 {

    public static void main(String[] args) {
        int type = 1;
        // 构造一段xml文本字符串
        String content = "" + "" + type + "" + "";
        // 用xml文本字符串的字节流构造一个转换源
        Source source = new StreamSource(new ByteArrayInputStream(content.getBytes()));

        try {
            ByteArrayOutputStream bos = new ByteArrayOutputStream();
            // 构造转换结果
            StreamResult result = new StreamResult(bos);
            
            // 创建转换器实例
            Transformer transformer = TransformerFactory.newInstance().newTransformer();
            // 设置转换器的输出属性
            Properties properties = new Properties();
            properties.put(OutputKeys.OMIT_XML_DECLARATION, "no");
            properties.put(OutputKeys.INDENT, "yes");
            properties.put(OutputKeys.METHOD, "xml");
            properties.put(OutputKeys.VERSION, "1.0");
            transformer.setOutputProperties(properties);

            // 进行转换
            transformer.transform(source, result);

            // 取出转换后的结果,并打印出来
            System.out.println(bos.toString());
            bos.close();
        } catch (Exception e) {
            e.printStackTrace();
        }

    }

}

运行输出:

<?xml version="1.0" encoding="UTF-8"?><request>
    <reqtype>1</reqtype>
</request>

你可能感兴趣的:(java,xml)