如何使用XSLT将base64编码的文本加载到XML文档中?
例如,如果我有以下两个文件
输入文件1:
YTM0NZomIzI2OTsmIzM0NTueYQ==
输入文件2:
<xml>
<Column1></Column1>
</xml>
所需的输出:
<xml>
<Column1>YTM0NZomIzI2OTsmIzM0NTueYQ==</Column1>
</xml>
答案 0 :(得分:1)
如果您使用的是 XSLT 2.0 ,则可以使用unparsed-text()
功能从文本文件加载base64内容。
在下面的示例中,xsl:param
设置了文档URI的默认值,但在调用转换时可以设置不同的值。
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="2.0">
<xsl:output indent="yes"/>
<xsl:param name="base64-document" select="'base64-content.txt'"/>
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="Column1">
<xsl:copy>
<xsl:value-of select="unparsed-text($base64-document)"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
如果您不能使用XSLT 2.0,那么在 XSLT 1.0 中,您可以使用第三个XML文件,其中包含对base64文本文件的实体引用,以将其包含在第三个XML文件中。
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:output indent="yes"/>
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="Column1">
<xsl:copy>
<xsl:value-of select="document('thirdFile.xml')/*"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
您还可以阅读base64文本文件的内容(在XSLT的上下文之外),并将内容作为xsl:param
的值发送:
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:output indent="yes"/>
<xsl:param name="base64-content" />
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="Column1">
<xsl:copy>
<xsl:value-of select="$base64-content"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>