Java+XSL合并XML文件

阅读更多

使用Java解析XML文件有许多成熟的工具,如dom4j等等。但在一些场景中,我们可能使用Ant、Maven等构建工具对多个XML文件进行合并,我们希望可以直接通过脚本文件,或者简单的程序就能完成这样的功能,那么使用XSL是一个非常不错的选择。本文将介绍通过简单的Java程序加上XSL文件来完成多个XML文件的合并操作。

 

背景

  1. Config.xml文件的结构与FinalConfig.xml文件相似;
  2. 需要将Config.xml文件的内容合并到FinalConfig.xml文件;
  3. 若FinalConfig.xml文件中已存在Config.xml的内容,则覆盖。

需求

程序执行完成生成一个唯一的XML文件FinalConfig.xml;

 

FinalConfig.xml文件结构:


    
        
            100
            Fly to the Moon
            This is Fly to the Moon
        
        
            101
            10 Miles
            This is 10 Miles
        
    

 Config.xml文件结构:


    
        
            100
            Fly to the Sun
            This is Fly to the Sun
        
    

 

我们假定gameid是固定值,不会变。在合并完成后,为100的node被更新。希望得到新的FinalConfig.xml文件如下:


    
        
            100
            Fly to the Sun
            This is Fly to the Sun
        
        
            101
            10 Miles
            This is 10 Miles
        
    

  

一、Java调用程序

 

private void mergeXml(File xslFile, File configXml, File finalConfigXml){
    DocumentBuilderFactory dbFac = DocumentBuilderFactory.newInstance();
    DocumentBuilder builder;
    Document destDoc = null;
    FileInputStream input;
    try{
        builder = dbFac.newDocumentBuilder();
        destDoc =  builder.parse(finalConfigXml);
        if(!finalConfigXml.exists()) 
        {
            finalConfigXml.createNewFile();
        }
	input = new FileInputStream(xslFile);
	StreamSource source = new StreamSource(input);
	Transformer  transformer = TransformerFactory.newInstance().newTransformer(source);
	//为xsl文件设置变量"configXmlPath",将configXml文件的路径传递给xsl
	transformer.setParameter("configXmlPath", configXml.getPath());
	transformer.transform(new DOMSource(destDoc), new StreamResult(finalConfigXml));
	}catch(Exception e) {
	    e.printStackTrace();
	}
}

 

二、xsl文件



	
  
  
  
  
  

  
    
      
    
  

  
		
		  
		
  
  
  
    
        
	    
	        
		    
	        
	    
        
    
    
	
	  
              
	  
	
	
    
  

 

xsl文件分析:

1.Java传入参数“configXmlPath”为Config.xml文件的路径

2.取出Config.xml文件中所有的gameid,此处为增强处理,即Config.xml文件中可以存在多个节点


    
        
            
	        
            
        
    

3.判断FinalConfig.xml的子节点中是否存在当前的gameid,若不存在则复制


  
     
  

4.复制Config.xml文件中的所有节点

 

 

 

 

 

 

你可能感兴趣的:(Java,XML,XSL)