我想使用XSLT根据属性值更新XML中的值,下面是输入和输出XML
在此示例中,我想在输入字符串中附加硬编码值。
<MyInfo isSurname="true">
<name sysid="0">Google</name>
</MyInfo>
<MyInfo isSurname="true" surname="Drive">
<name sysid="0">Google Drive</name>
</MyInfo>
对于每个输入名称,姓氏都将相同。因此,当isSurname属性为true时,我们需要添加“ Drive”作为姓氏
答案 0 :(得分:1)
让我们将输入XML 放在根节点中,如下所示:
<?xml version="1.0" encoding="UTF-8"?>
<Root>
<MyInfo isSurname="true">
<name sysid="0">Google</name>
</MyInfo>
</Root>
XSLT 1.0 中的解决方案可以是:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()" />
</xsl:copy>
</xsl:template>
<xsl:template match="/Root/MyInfo">
<xsl:choose>
<xsl:when test="@isSurname = 'true'">
<xsl:copy>
<xsl:attribute name="surname">
<xsl:value-of select="'Drive'" />
</xsl:attribute>
<xsl:apply-templates select="@*|node()" />
</xsl:copy>
</xsl:when>
<xsl:otherwise>
<xsl:copy>
<xsl:apply-templates select="@*|node()" />
</xsl:copy>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="/Root/MyInfo[@isSurname = 'true']/name/text()">
<xsl:value-of select="concat(.,' Drive')" />
</xsl:template>
有一个基于isSurname
属性的检查。
true
,则将填充您提供的输出XML 。false
,则输入XML 将按原样显示。答案 1 :(得分:0)
这将适用于您的简短示例-不确定这些是否是您要应用的一般规则:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" version="1.0" encoding="UTF-8" indent="yes"/>
<xsl:strip-space elements="*"/>
<!-- identity transform -->
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="@isSurname[.='true']">
<xsl:copy/>
<xsl:attribute name="surname">Drive</xsl:attribute>
</xsl:template>
<xsl:template match="name[../@isSurname='true']/text()">
<xsl:copy/>
<xsl:text> Drive</xsl:text>
</xsl:template>
</xsl:stylesheet>